mirror of
https://github.com/NixOS/nixpkgs.git
synced 2025-07-14 06:00:33 +03:00
Merge remote-tracking branch 'nixpkgs/master' into staging-next
This commit is contained in:
commit
c13cf1e76f
105 changed files with 1558 additions and 1114 deletions
|
@ -68,27 +68,107 @@ Erlang.mk functions similarly to Rebar3, except we use `buildErlangMk` instead o
|
||||||
|
|
||||||
`mixRelease` is used to make a release in the mix sense. Dependencies will need to be fetched with `fetchMixDeps` and passed to it.
|
`mixRelease` is used to make a release in the mix sense. Dependencies will need to be fetched with `fetchMixDeps` and passed to it.
|
||||||
|
|
||||||
#### mixRelease - Elixir Phoenix example {#mixrelease---elixir-phoenix-example}
|
#### mixRelease - Elixir Phoenix example {#mix-release-elixir-phoenix-example}
|
||||||
|
|
||||||
Here is how your `default.nix` file would look.
|
there are 3 steps, frontend dependencies (javascript), backend dependencies (elixir) and the final derivation that puts both of those together
|
||||||
|
|
||||||
|
##### mixRelease - Frontend dependencies (javascript) {#mix-release-javascript-deps}
|
||||||
|
|
||||||
|
for phoenix projects, inside of nixpkgs you can either use yarn2nix (mkYarnModule) or node2nix. An example with yarn2nix can be found [here](https://github.com/NixOS/nixpkgs/blob/master/pkgs/servers/web-apps/plausible/default.nix#L39). An example with node2nix will follow. To package something outside of nixpkgs, you have alternatives like [npmlock2nix](https://github.com/nix-community/npmlock2nix) or [nix-npm-buildpackage](https://github.com/serokell/nix-npm-buildpackage)
|
||||||
|
|
||||||
|
##### mixRelease - backend dependencies (mix) {#mix-release-mix-deps}
|
||||||
|
|
||||||
|
There are 2 ways to package backend dependencies. With mix2nix and with a fixed-output-derivation (FOD).
|
||||||
|
|
||||||
|
###### mix2nix {#mix2nix}
|
||||||
|
|
||||||
|
mix2nix is a cli tool available in nixpkgs. it will generate a nix expression from a mix.lock file. It is quite standard in the 2nix tool series.
|
||||||
|
|
||||||
|
Note that currently mix2nix can't handle git dependencies inside the mix.lock file. If you have git dependencies, you can either add them manually (see [example](https://github.com/NixOS/nixpkgs/blob/master/pkgs/servers/pleroma/default.nix#L20)) or use the FOD method.
|
||||||
|
|
||||||
|
The advantage of using mix2nix is that nix will know your whole dependency graph. On a dependency update, this won't trigger a full rebuild and download of all the dependencies, where FOD will do so.
|
||||||
|
|
||||||
|
practical steps:
|
||||||
|
|
||||||
|
- run `mix2nix > mix_deps.nix` in the upstream repo.
|
||||||
|
- pass `mixNixDeps = with pkgs; import ./mix_deps.nix { inherit lib beamPackages; };` as an argument to mixRelease.
|
||||||
|
|
||||||
|
If there are git depencencies.
|
||||||
|
|
||||||
|
- You'll need to fix the version artificially in mix.exs and regenerate the mix.lock with fixed version (on upstream). This will enable you to run `mix2nix > mix_deps.nix`.
|
||||||
|
- From the mix_deps.nix file, remove the dependencies that had git versions and pass them as an override to the import function.
|
||||||
|
|
||||||
|
```nix
|
||||||
|
mixNixDeps = import ./mix.nix {
|
||||||
|
inherit beamPackages lib;
|
||||||
|
overrides = (final: prev: {
|
||||||
|
# mix2nix does not support git dependencies yet,
|
||||||
|
# so we need to add them manually
|
||||||
|
prometheus_ex = beamPackages.buildMix rec {
|
||||||
|
name = "prometheus_ex";
|
||||||
|
version = "3.0.5";
|
||||||
|
|
||||||
|
# Change the argument src with the git src that you actually need
|
||||||
|
src = fetchFromGitLab {
|
||||||
|
domain = "git.pleroma.social";
|
||||||
|
group = "pleroma";
|
||||||
|
owner = "elixir-libraries";
|
||||||
|
repo = "prometheus.ex";
|
||||||
|
rev = "a4e9beb3c1c479d14b352fd9d6dd7b1f6d7deee5";
|
||||||
|
sha256 = "1v0q4bi7sb253i8q016l7gwlv5562wk5zy3l2sa446csvsacnpjk";
|
||||||
|
};
|
||||||
|
# you can re-use the same beamDeps argument as generated
|
||||||
|
beamDeps = with final; [ prometheus ];
|
||||||
|
};
|
||||||
|
});
|
||||||
|
};
|
||||||
|
```
|
||||||
|
|
||||||
|
You will need to run the build process once to fix the sha256 to correspond to your new git src.
|
||||||
|
|
||||||
|
###### FOD {#fixed-output-derivation}
|
||||||
|
|
||||||
|
A fixed output derivation will download mix dependencies from the internet. To ensure reproducibility, a hash will be supplied. Note that mix is relatively reproducible. An FOD generating a different hash on each run hasn't been observed (as opposed to npm where the chances are relatively high). See [elixir_ls](https://github.com/NixOS/nixpkgs/blob/master/pkgs/development/beam-modules/elixir_ls.nix) for a usage example of FOD.
|
||||||
|
|
||||||
|
Practical steps
|
||||||
|
|
||||||
|
- start with the following argument to mixRelease
|
||||||
|
|
||||||
|
```nix
|
||||||
|
mixFodDeps = fetchMixDeps {
|
||||||
|
pname = "mix-deps-${pname}";
|
||||||
|
inherit src version;
|
||||||
|
sha256 = lib.fakeSha256;
|
||||||
|
};
|
||||||
|
```
|
||||||
|
|
||||||
|
The first build will complain about the sha256 value, you can replace with the suggested value after that.
|
||||||
|
|
||||||
|
Note that if after you've replaced the value, nix suggests another sha256, then mix is not fetching the dependencies reproducibly. An FOD will not work in that case and you will have to use mix2nix.
|
||||||
|
|
||||||
|
##### mixRelease - example {#mix-release-example}
|
||||||
|
|
||||||
|
Here is how your `default.nix` file would look for a phoenix project.
|
||||||
|
|
||||||
```nix
|
```nix
|
||||||
with import <nixpkgs> { };
|
with import <nixpkgs> { };
|
||||||
|
|
||||||
let
|
let
|
||||||
|
# beam.interpreters.erlangR23 is available if you need a particular version
|
||||||
packages = beam.packagesWith beam.interpreters.erlang;
|
packages = beam.packagesWith beam.interpreters.erlang;
|
||||||
|
|
||||||
|
pname = "your_project";
|
||||||
|
version = "0.0.1";
|
||||||
|
|
||||||
src = builtins.fetchgit {
|
src = builtins.fetchgit {
|
||||||
url = "ssh://git@github.com/your_id/your_repo";
|
url = "ssh://git@github.com/your_id/your_repo";
|
||||||
rev = "replace_with_your_commit";
|
rev = "replace_with_your_commit";
|
||||||
};
|
};
|
||||||
|
|
||||||
pname = "your_project";
|
# if using mix2nix you can use the mixNixDeps attribute
|
||||||
version = "0.0.1";
|
|
||||||
mixEnv = "prod";
|
|
||||||
|
|
||||||
mixFodDeps = packages.fetchMixDeps {
|
mixFodDeps = packages.fetchMixDeps {
|
||||||
pname = "mix-deps-${pname}";
|
pname = "mix-deps-${pname}";
|
||||||
inherit src mixEnv version;
|
inherit src version;
|
||||||
# nix will complain and tell you the right value to replace this with
|
# nix will complain and tell you the right value to replace this with
|
||||||
sha256 = lib.fakeSha256;
|
sha256 = lib.fakeSha256;
|
||||||
# if you have build time environment variables add them here
|
# if you have build time environment variables add them here
|
||||||
|
@ -97,45 +177,19 @@ let
|
||||||
|
|
||||||
nodeDependencies = (pkgs.callPackage ./assets/default.nix { }).shell.nodeDependencies;
|
nodeDependencies = (pkgs.callPackage ./assets/default.nix { }).shell.nodeDependencies;
|
||||||
|
|
||||||
frontEndFiles = stdenvNoCC.mkDerivation {
|
|
||||||
pname = "frontend-${pname}";
|
|
||||||
|
|
||||||
nativeBuildInputs = [ nodejs ];
|
|
||||||
|
|
||||||
inherit version src;
|
|
||||||
|
|
||||||
buildPhase = ''
|
|
||||||
cp -r ./assets $TEMPDIR
|
|
||||||
|
|
||||||
mkdir -p $TEMPDIR/assets/node_modules/.cache
|
|
||||||
cp -r ${nodeDependencies}/lib/node_modules $TEMPDIR/assets
|
|
||||||
export PATH="${nodeDependencies}/bin:$PATH"
|
|
||||||
|
|
||||||
cd $TEMPDIR/assets
|
|
||||||
webpack --config ./webpack.config.js
|
|
||||||
cd ..
|
|
||||||
'';
|
|
||||||
|
|
||||||
installPhase = ''
|
|
||||||
cp -r ./priv/static $out/
|
|
||||||
'';
|
|
||||||
|
|
||||||
outputHashAlgo = "sha256";
|
|
||||||
outputHashMode = "recursive";
|
|
||||||
# nix will complain and tell you the right value to replace this with
|
|
||||||
outputHash = lib.fakeSha256;
|
|
||||||
|
|
||||||
impureEnvVars = lib.fetchers.proxyImpureEnvVars;
|
|
||||||
};
|
|
||||||
|
|
||||||
|
|
||||||
in packages.mixRelease {
|
in packages.mixRelease {
|
||||||
inherit src pname version mixEnv mixFodDeps;
|
inherit src pname version mixFodDeps;
|
||||||
# if you have build time environment variables add them here
|
# if you have build time environment variables add them here
|
||||||
MY_ENV_VAR="my_value";
|
MY_ENV_VAR="my_value";
|
||||||
preInstall = ''
|
|
||||||
mkdir -p ./priv/static
|
postBuild = ''
|
||||||
cp -r ${frontEndFiles} ./priv/static
|
ln -sf ${nodeDependencies}/lib/node_modules assets/node_modules
|
||||||
|
npm run deploy --prefix ./assets
|
||||||
|
|
||||||
|
# for external task you need a workaround for the no deps check flag
|
||||||
|
# https://github.com/phoenixframework/phoenix/issues/2690
|
||||||
|
mix do deps.loadpaths --no-deps-check, phx.digest
|
||||||
|
mix phx.digest --no-deps-check
|
||||||
'';
|
'';
|
||||||
}
|
}
|
||||||
```
|
```
|
||||||
|
@ -165,6 +219,8 @@ in
|
||||||
systemd.services.${release_name} = {
|
systemd.services.${release_name} = {
|
||||||
wantedBy = [ "multi-user.target" ];
|
wantedBy = [ "multi-user.target" ];
|
||||||
after = [ "network.target" "postgresql.service" ];
|
after = [ "network.target" "postgresql.service" ];
|
||||||
|
# note that if you are connecting to a postgres instance on a different host
|
||||||
|
# postgresql.service should not be included in the requires.
|
||||||
requires = [ "network-online.target" "postgresql.service" ];
|
requires = [ "network-online.target" "postgresql.service" ];
|
||||||
description = "my app";
|
description = "my app";
|
||||||
environment = {
|
environment = {
|
||||||
|
@ -201,6 +257,7 @@ in
|
||||||
path = [ pkgs.bash ];
|
path = [ pkgs.bash ];
|
||||||
};
|
};
|
||||||
|
|
||||||
|
# in case you have migration scripts or you want to use a remote shell
|
||||||
environment.systemPackages = [ release ];
|
environment.systemPackages = [ release ];
|
||||||
}
|
}
|
||||||
```
|
```
|
||||||
|
@ -215,16 +272,11 @@ Usually, we need to create a `shell.nix` file and do our development inside of t
|
||||||
{ pkgs ? import <nixpkgs> {} }:
|
{ pkgs ? import <nixpkgs> {} }:
|
||||||
|
|
||||||
with pkgs;
|
with pkgs;
|
||||||
|
|
||||||
let
|
let
|
||||||
|
elixir = beam.packages.erlangR24.elixir_1_12;
|
||||||
elixir = beam.packages.erlangR22.elixir_1_9;
|
|
||||||
|
|
||||||
in
|
in
|
||||||
mkShell {
|
mkShell {
|
||||||
buildInputs = [ elixir ];
|
buildInputs = [ elixir ];
|
||||||
|
|
||||||
ERL_INCLUDE_PATH="${erlang}/lib/erlang/usr/include";
|
|
||||||
}
|
}
|
||||||
```
|
```
|
||||||
|
|
||||||
|
@ -264,6 +316,7 @@ let
|
||||||
# TODO: not sure how to make hex available without installing it afterwards.
|
# TODO: not sure how to make hex available without installing it afterwards.
|
||||||
mix local.hex --if-missing
|
mix local.hex --if-missing
|
||||||
export LANG=en_US.UTF-8
|
export LANG=en_US.UTF-8
|
||||||
|
# keep your shell history in iex
|
||||||
export ERL_AFLAGS="-kernel shell_history enabled"
|
export ERL_AFLAGS="-kernel shell_history enabled"
|
||||||
|
|
||||||
# postges related
|
# postges related
|
||||||
|
|
|
@ -7445,6 +7445,16 @@
|
||||||
name = "Maxim Schuwalow";
|
name = "Maxim Schuwalow";
|
||||||
email = "maxim.schuwalow@gmail.com";
|
email = "maxim.schuwalow@gmail.com";
|
||||||
};
|
};
|
||||||
|
msfjarvis = {
|
||||||
|
github = "msfjarvis";
|
||||||
|
githubId = 3348378;
|
||||||
|
name = "Harsh Shandilya";
|
||||||
|
email = "nixos@msfjarvis.dev";
|
||||||
|
keys = [{
|
||||||
|
longkeyid = "rsa4096/0xB7843F823355E9B9";
|
||||||
|
fingerprint = "8F87 050B 0F9C B841 1515 7399 B784 3F82 3355 E9B9";
|
||||||
|
}];
|
||||||
|
};
|
||||||
msiedlarek = {
|
msiedlarek = {
|
||||||
email = "mikolaj@siedlarek.pl";
|
email = "mikolaj@siedlarek.pl";
|
||||||
github = "msiedlarek";
|
github = "msiedlarek";
|
||||||
|
|
|
@ -22,7 +22,7 @@
|
||||||
</listitem>
|
</listitem>
|
||||||
<listitem>
|
<listitem>
|
||||||
<para>
|
<para>
|
||||||
kOps now defaults to 1.21.0, which uses containerd as the
|
kOps now defaults to 1.21.1, which uses containerd as the
|
||||||
default runtime.
|
default runtime.
|
||||||
</para>
|
</para>
|
||||||
</listitem>
|
</listitem>
|
||||||
|
|
|
@ -7,7 +7,8 @@ In addition to numerous new and upgraded packages, this release has the followin
|
||||||
## Highlights {#sec-release-21.11-highlights}
|
## Highlights {#sec-release-21.11-highlights}
|
||||||
|
|
||||||
- PHP now defaults to PHP 8.0, updated from 7.4.
|
- PHP now defaults to PHP 8.0, updated from 7.4.
|
||||||
- kOps now defaults to 1.21.0, which uses containerd as the default runtime.
|
|
||||||
|
- kOps now defaults to 1.21.1, which uses containerd as the default runtime.
|
||||||
|
|
||||||
- `python3` now defaults to Python 3.9, updated from Python 3.8.
|
- `python3` now defaults to Python 3.9, updated from Python 3.8.
|
||||||
|
|
||||||
|
|
|
@ -143,6 +143,15 @@ in
|
||||||
'';
|
'';
|
||||||
};
|
};
|
||||||
|
|
||||||
|
hardware.nvidia.nvidiaSettings = mkOption {
|
||||||
|
default = true;
|
||||||
|
type = types.bool;
|
||||||
|
description = ''
|
||||||
|
Whether to add nvidia-settings, NVIDIA's GUI configuration tool, to
|
||||||
|
systemPackages.
|
||||||
|
'';
|
||||||
|
};
|
||||||
|
|
||||||
hardware.nvidia.nvidiaPersistenced = mkOption {
|
hardware.nvidia.nvidiaPersistenced = mkOption {
|
||||||
default = false;
|
default = false;
|
||||||
type = types.bool;
|
type = types.bool;
|
||||||
|
@ -279,7 +288,8 @@ in
|
||||||
hardware.opengl.extraPackages = optional offloadCfg.enable nvidia_x11.out;
|
hardware.opengl.extraPackages = optional offloadCfg.enable nvidia_x11.out;
|
||||||
hardware.opengl.extraPackages32 = optional offloadCfg.enable nvidia_x11.lib32;
|
hardware.opengl.extraPackages32 = optional offloadCfg.enable nvidia_x11.lib32;
|
||||||
|
|
||||||
environment.systemPackages = [ nvidia_x11.bin nvidia_x11.settings ]
|
environment.systemPackages = [ nvidia_x11.bin ]
|
||||||
|
++ optionals nvidiaSettings [ nvidia_x11.settings ]
|
||||||
++ optionals nvidiaPersistencedEnabled [ nvidia_x11.persistenced ];
|
++ optionals nvidiaPersistencedEnabled [ nvidia_x11.persistenced ];
|
||||||
|
|
||||||
systemd.packages = optional cfg.powerManagement.enable nvidia_x11.out;
|
systemd.packages = optional cfg.powerManagement.enable nvidia_x11.out;
|
||||||
|
|
|
@ -14,9 +14,6 @@ in {
|
||||||
default = false;
|
default = false;
|
||||||
description = ''
|
description = ''
|
||||||
Open ports in the firewall for the bridge.
|
Open ports in the firewall for the bridge.
|
||||||
|
|
||||||
UDP: 9003
|
|
||||||
TCP: 9100 - 9200
|
|
||||||
'';
|
'';
|
||||||
};
|
};
|
||||||
user = mkOption {
|
user = mkOption {
|
||||||
|
@ -54,10 +51,15 @@ in {
|
||||||
};
|
};
|
||||||
|
|
||||||
networking.firewall = mkIf cfg.openFirewall {
|
networking.firewall = mkIf cfg.openFirewall {
|
||||||
allowedTCPPortRanges = [
|
allowedTCPPortRanges = [{ from = 9100; to = 9200; }];
|
||||||
{ from = 9100; to = 9200; }
|
|
||||||
];
|
|
||||||
allowedUDPPorts = [ 9003 ];
|
allowedUDPPorts = [ 9003 ];
|
||||||
|
extraCommands = ''
|
||||||
|
iptables -A INPUT -s 224.0.0.0/4 -j ACCEPT
|
||||||
|
iptables -A INPUT -d 224.0.0.0/4 -j ACCEPT
|
||||||
|
iptables -A INPUT -s 240.0.0.0/5 -j ACCEPT
|
||||||
|
iptables -A INPUT -m pkttype --pkt-type multicast -j ACCEPT
|
||||||
|
iptables -A INPUT -m pkttype --pkt-type broadcast -j ACCEPT
|
||||||
|
'';
|
||||||
};
|
};
|
||||||
|
|
||||||
|
|
||||||
|
|
|
@ -14,9 +14,6 @@ in {
|
||||||
default = false;
|
default = false;
|
||||||
description = ''
|
description = ''
|
||||||
Open ports in the firewall for the server.
|
Open ports in the firewall for the server.
|
||||||
|
|
||||||
UDP: 9003
|
|
||||||
TCP: 9100 - 9200
|
|
||||||
'';
|
'';
|
||||||
};
|
};
|
||||||
user = mkOption {
|
user = mkOption {
|
||||||
|
@ -54,10 +51,15 @@ in {
|
||||||
};
|
};
|
||||||
|
|
||||||
networking.firewall = mkIf cfg.openFirewall {
|
networking.firewall = mkIf cfg.openFirewall {
|
||||||
allowedTCPPortRanges = [
|
allowedTCPPortRanges = [{ from = 9100; to = 9200; }];
|
||||||
{ from = 9100; to = 9200; }
|
|
||||||
];
|
|
||||||
allowedUDPPorts = [ 9003 ];
|
allowedUDPPorts = [ 9003 ];
|
||||||
|
extraCommands = ''
|
||||||
|
iptables -A INPUT -s 224.0.0.0/4 -j ACCEPT
|
||||||
|
iptables -A INPUT -d 224.0.0.0/4 -j ACCEPT
|
||||||
|
iptables -A INPUT -s 240.0.0.0/5 -j ACCEPT
|
||||||
|
iptables -A INPUT -m pkttype --pkt-type multicast -j ACCEPT
|
||||||
|
iptables -A INPUT -m pkttype --pkt-type broadcast -j ACCEPT
|
||||||
|
'';
|
||||||
};
|
};
|
||||||
|
|
||||||
|
|
||||||
|
|
|
@ -14,10 +14,12 @@ let
|
||||||
|
|
||||||
splitMulitaddr = addrRaw: lib.tail (lib.splitString "/" addrRaw);
|
splitMulitaddr = addrRaw: lib.tail (lib.splitString "/" addrRaw);
|
||||||
|
|
||||||
multiaddrToListenStream = addrRaw: let
|
multiaddrToListenStream = addrRaw:
|
||||||
|
let
|
||||||
addr = splitMulitaddr addrRaw;
|
addr = splitMulitaddr addrRaw;
|
||||||
s = builtins.elemAt addr;
|
s = builtins.elemAt addr;
|
||||||
in if s 0 == "ip4" && s 2 == "tcp"
|
in
|
||||||
|
if s 0 == "ip4" && s 2 == "tcp"
|
||||||
then "${s 1}:${s 3}"
|
then "${s 1}:${s 3}"
|
||||||
else if s 0 == "ip6" && s 2 == "tcp"
|
else if s 0 == "ip6" && s 2 == "tcp"
|
||||||
then "[${s 1}]:${s 3}"
|
then "[${s 1}]:${s 3}"
|
||||||
|
@ -25,16 +27,19 @@ let
|
||||||
then "/${lib.concatStringsSep "/" (lib.tail addr)}"
|
then "/${lib.concatStringsSep "/" (lib.tail addr)}"
|
||||||
else null; # not valid for listen stream, skip
|
else null; # not valid for listen stream, skip
|
||||||
|
|
||||||
multiaddrToListenDatagram = addrRaw: let
|
multiaddrToListenDatagram = addrRaw:
|
||||||
|
let
|
||||||
addr = splitMulitaddr addrRaw;
|
addr = splitMulitaddr addrRaw;
|
||||||
s = builtins.elemAt addr;
|
s = builtins.elemAt addr;
|
||||||
in if s 0 == "ip4" && s 2 == "udp"
|
in
|
||||||
|
if s 0 == "ip4" && s 2 == "udp"
|
||||||
then "${s 1}:${s 3}"
|
then "${s 1}:${s 3}"
|
||||||
else if s 0 == "ip6" && s 2 == "udp"
|
else if s 0 == "ip6" && s 2 == "udp"
|
||||||
then "[${s 1}]:${s 3}"
|
then "[${s 1}]:${s 3}"
|
||||||
else null; # not valid for listen datagram, skip
|
else null; # not valid for listen datagram, skip
|
||||||
|
|
||||||
in {
|
in
|
||||||
|
{
|
||||||
|
|
||||||
###### interface
|
###### interface
|
||||||
|
|
||||||
|
@ -65,7 +70,8 @@ in {
|
||||||
|
|
||||||
dataDir = mkOption {
|
dataDir = mkOption {
|
||||||
type = types.str;
|
type = types.str;
|
||||||
default = if versionAtLeast config.system.stateVersion "17.09"
|
default =
|
||||||
|
if versionAtLeast config.system.stateVersion "17.09"
|
||||||
then "/var/lib/ipfs"
|
then "/var/lib/ipfs"
|
||||||
else "/var/lib/ipfs/.ipfs";
|
else "/var/lib/ipfs/.ipfs";
|
||||||
description = "The data dir for IPFS";
|
description = "The data dir for IPFS";
|
||||||
|
@ -83,6 +89,12 @@ in {
|
||||||
description = "Whether IPFS should try to mount /ipfs and /ipns at startup.";
|
description = "Whether IPFS should try to mount /ipfs and /ipns at startup.";
|
||||||
};
|
};
|
||||||
|
|
||||||
|
autoMigrate = mkOption {
|
||||||
|
type = types.bool;
|
||||||
|
default = true;
|
||||||
|
description = "Whether IPFS should try to run the fs-repo-migration at startup.";
|
||||||
|
};
|
||||||
|
|
||||||
ipfsMountDir = mkOption {
|
ipfsMountDir = mkOption {
|
||||||
type = types.str;
|
type = types.str;
|
||||||
default = "/ipfs";
|
default = "/ipfs";
|
||||||
|
@ -137,7 +149,7 @@ in {
|
||||||
These are applied last, so may override configuration set by other options in this module.
|
These are applied last, so may override configuration set by other options in this module.
|
||||||
Keep in mind that this configuration is stateful; i.e., unsetting anything in here does not reset the value to the default!
|
Keep in mind that this configuration is stateful; i.e., unsetting anything in here does not reset the value to the default!
|
||||||
'';
|
'';
|
||||||
default = {};
|
default = { };
|
||||||
example = {
|
example = {
|
||||||
Datastore.StorageMax = "100GB";
|
Datastore.StorageMax = "100GB";
|
||||||
Discovery.MDNS.Enabled = false;
|
Discovery.MDNS.Enabled = false;
|
||||||
|
@ -153,7 +165,7 @@ in {
|
||||||
extraFlags = mkOption {
|
extraFlags = mkOption {
|
||||||
type = types.listOf types.str;
|
type = types.listOf types.str;
|
||||||
description = "Extra flags passed to the IPFS daemon";
|
description = "Extra flags passed to the IPFS daemon";
|
||||||
default = [];
|
default = [ ];
|
||||||
};
|
};
|
||||||
|
|
||||||
localDiscovery = mkOption {
|
localDiscovery = mkOption {
|
||||||
|
@ -168,7 +180,7 @@ in {
|
||||||
type = types.nullOr types.int;
|
type = types.nullOr types.int;
|
||||||
default = null;
|
default = null;
|
||||||
description = "The fdlimit for the IPFS systemd unit or <literal>null</literal> to have the daemon attempt to manage it";
|
description = "The fdlimit for the IPFS systemd unit or <literal>null</literal> to have the daemon attempt to manage it";
|
||||||
example = 64*1024;
|
example = 64 * 1024;
|
||||||
};
|
};
|
||||||
|
|
||||||
startWhenNeeded = mkOption {
|
startWhenNeeded = mkOption {
|
||||||
|
@ -186,6 +198,9 @@ in {
|
||||||
environment.systemPackages = [ cfg.package ];
|
environment.systemPackages = [ cfg.package ];
|
||||||
environment.variables.IPFS_PATH = cfg.dataDir;
|
environment.variables.IPFS_PATH = cfg.dataDir;
|
||||||
|
|
||||||
|
# https://github.com/lucas-clemente/quic-go/wiki/UDP-Receive-Buffer-Size
|
||||||
|
boot.kernel.sysctl."net.core.rmem_max" = mkDefault 2500000;
|
||||||
|
|
||||||
programs.fuse = mkIf cfg.autoMount {
|
programs.fuse = mkIf cfg.autoMount {
|
||||||
userAllowOther = true;
|
userAllowOther = true;
|
||||||
};
|
};
|
||||||
|
@ -234,6 +249,8 @@ in {
|
||||||
ipfs --offline config Mounts.FuseAllowOther --json true
|
ipfs --offline config Mounts.FuseAllowOther --json true
|
||||||
ipfs --offline config Mounts.IPFS ${cfg.ipfsMountDir}
|
ipfs --offline config Mounts.IPFS ${cfg.ipfsMountDir}
|
||||||
ipfs --offline config Mounts.IPNS ${cfg.ipnsMountDir}
|
ipfs --offline config Mounts.IPNS ${cfg.ipnsMountDir}
|
||||||
|
'' + optionalString cfg.autoMigrate ''
|
||||||
|
${pkgs.ipfs-migrator}/bin/fs-repo-migrations -y
|
||||||
'' + concatStringsSep "\n" (collect
|
'' + concatStringsSep "\n" (collect
|
||||||
isString
|
isString
|
||||||
(mapAttrsRecursive
|
(mapAttrsRecursive
|
||||||
|
@ -245,14 +262,15 @@ in {
|
||||||
EOF
|
EOF
|
||||||
ipfs --offline config --json "${concatStringsSep "." path}" "$value"
|
ipfs --offline config --json "${concatStringsSep "." path}" "$value"
|
||||||
'')
|
'')
|
||||||
({ Addresses.API = cfg.apiAddress;
|
({
|
||||||
|
Addresses.API = cfg.apiAddress;
|
||||||
Addresses.Gateway = cfg.gatewayAddress;
|
Addresses.Gateway = cfg.gatewayAddress;
|
||||||
Addresses.Swarm = cfg.swarmAddress;
|
Addresses.Swarm = cfg.swarmAddress;
|
||||||
} //
|
} //
|
||||||
cfg.extraConfig))
|
cfg.extraConfig))
|
||||||
);
|
);
|
||||||
serviceConfig = {
|
serviceConfig = {
|
||||||
ExecStart = ["" "${cfg.package}/bin/ipfs daemon ${ipfsFlags}"];
|
ExecStart = [ "" "${cfg.package}/bin/ipfs daemon ${ipfsFlags}" ];
|
||||||
User = cfg.user;
|
User = cfg.user;
|
||||||
Group = cfg.group;
|
Group = cfg.group;
|
||||||
} // optionalAttrs (cfg.serviceFdlimit != null) { LimitNOFILE = cfg.serviceFdlimit; };
|
} // optionalAttrs (cfg.serviceFdlimit != null) { LimitNOFILE = cfg.serviceFdlimit; };
|
||||||
|
@ -263,12 +281,16 @@ in {
|
||||||
systemd.sockets.ipfs-gateway = {
|
systemd.sockets.ipfs-gateway = {
|
||||||
wantedBy = [ "sockets.target" ];
|
wantedBy = [ "sockets.target" ];
|
||||||
socketConfig = {
|
socketConfig = {
|
||||||
ListenStream = let
|
ListenStream =
|
||||||
|
let
|
||||||
fromCfg = multiaddrToListenStream cfg.gatewayAddress;
|
fromCfg = multiaddrToListenStream cfg.gatewayAddress;
|
||||||
in [ "" ] ++ lib.optional (fromCfg != null) fromCfg;
|
in
|
||||||
ListenDatagram = let
|
[ "" ] ++ lib.optional (fromCfg != null) fromCfg;
|
||||||
|
ListenDatagram =
|
||||||
|
let
|
||||||
fromCfg = multiaddrToListenDatagram cfg.gatewayAddress;
|
fromCfg = multiaddrToListenDatagram cfg.gatewayAddress;
|
||||||
in [ "" ] ++ lib.optional (fromCfg != null) fromCfg;
|
in
|
||||||
|
[ "" ] ++ lib.optional (fromCfg != null) fromCfg;
|
||||||
};
|
};
|
||||||
};
|
};
|
||||||
|
|
||||||
|
@ -276,9 +298,11 @@ in {
|
||||||
wantedBy = [ "sockets.target" ];
|
wantedBy = [ "sockets.target" ];
|
||||||
# We also include "%t/ipfs.sock" because there is no way to put the "%t"
|
# We also include "%t/ipfs.sock" because there is no way to put the "%t"
|
||||||
# in the multiaddr.
|
# in the multiaddr.
|
||||||
socketConfig.ListenStream = let
|
socketConfig.ListenStream =
|
||||||
|
let
|
||||||
fromCfg = multiaddrToListenStream cfg.apiAddress;
|
fromCfg = multiaddrToListenStream cfg.apiAddress;
|
||||||
in [ "" "%t/ipfs.sock" ] ++ lib.optional (fromCfg != null) fromCfg;
|
in
|
||||||
|
[ "" "%t/ipfs.sock" ] ++ lib.optional (fromCfg != null) fromCfg;
|
||||||
};
|
};
|
||||||
|
|
||||||
};
|
};
|
||||||
|
|
|
@ -37,7 +37,7 @@ let
|
||||||
do sleep 1; done
|
do sleep 1; done
|
||||||
|
|
||||||
curl() {
|
curl() {
|
||||||
${pkgs.curl}/bin/curl -sS -H "X-API-Key: $api_key" \
|
${pkgs.curl}/bin/curl -sSLk -H "X-API-Key: $api_key" \
|
||||||
--retry 1000 --retry-delay 1 --retry-all-errors \
|
--retry 1000 --retry-delay 1 --retry-all-errors \
|
||||||
"$@"
|
"$@"
|
||||||
}
|
}
|
||||||
|
|
|
@ -84,28 +84,31 @@
|
||||||
</para>
|
</para>
|
||||||
|
|
||||||
</section>
|
</section>
|
||||||
<section xml:id="module-services-nextcloud-pitfalls-during-upgrade">
|
|
||||||
<title>Pitfalls</title>
|
|
||||||
|
|
||||||
|
<section xml:id="module-services-nextcloud-pitfalls-during-upgrade">
|
||||||
|
<title>Common problems</title>
|
||||||
|
<itemizedlist>
|
||||||
|
<listitem>
|
||||||
|
<formalpara>
|
||||||
|
<title>General notes</title>
|
||||||
<para>
|
<para>
|
||||||
Unfortunately Nextcloud appears to be very stateful when it comes to
|
Unfortunately Nextcloud appears to be very stateful when it comes to
|
||||||
managing its own configuration. The config file lives in the home directory
|
managing its own configuration. The config file lives in the home directory
|
||||||
of the <literal>nextcloud</literal> user (by default
|
of the <literal>nextcloud</literal> user (by default
|
||||||
<literal>/var/lib/nextcloud/config/config.php</literal>) and is also used to
|
<literal>/var/lib/nextcloud/config/config.php</literal>) and is also used to
|
||||||
track several states of the application (e.g. whether installed or not).
|
track several states of the application (e.g., whether installed or not).
|
||||||
</para>
|
</para>
|
||||||
|
</formalpara>
|
||||||
<para>
|
<para>
|
||||||
All configuration parameters are also stored in
|
All configuration parameters are also stored in
|
||||||
<literal>/var/lib/nextcloud/config/override.config.php</literal> which is generated by
|
<filename>/var/lib/nextcloud/config/override.config.php</filename> which is generated by
|
||||||
the module and linked from the store to ensure that all values from <literal>config.php</literal>
|
the module and linked from the store to ensure that all values from
|
||||||
can be modified by the module.
|
<filename>config.php</filename> can be modified by the module.
|
||||||
However <literal>config.php</literal> manages the application's state and shouldn't be touched
|
However <filename>config.php</filename> manages the application's state and shouldn't be
|
||||||
manually because of that.
|
touched manually because of that.
|
||||||
</para>
|
</para>
|
||||||
|
|
||||||
<warning>
|
<warning>
|
||||||
<para>Don't delete <literal>config.php</literal>! This file
|
<para>Don't delete <filename>config.php</filename>! This file
|
||||||
tracks the application's state and a deletion can cause unwanted
|
tracks the application's state and a deletion can cause unwanted
|
||||||
side-effects!</para>
|
side-effects!</para>
|
||||||
</warning>
|
</warning>
|
||||||
|
@ -115,9 +118,12 @@
|
||||||
maintenance:install</literal>! This command tries to install the application
|
maintenance:install</literal>! This command tries to install the application
|
||||||
and can cause unwanted side-effects!</para>
|
and can cause unwanted side-effects!</para>
|
||||||
</warning>
|
</warning>
|
||||||
|
</listitem>
|
||||||
|
<listitem>
|
||||||
|
<formalpara>
|
||||||
|
<title>Multiple version upgrades</title>
|
||||||
<para>
|
<para>
|
||||||
Nextcloud doesn't allow to move more than one major-version forward. If you're e.g. on
|
Nextcloud doesn't allow to move more than one major-version forward. E.g., if you're on
|
||||||
<literal>v16</literal>, you cannot upgrade to <literal>v18</literal>, you need to upgrade to
|
<literal>v16</literal>, you cannot upgrade to <literal>v18</literal>, you need to upgrade to
|
||||||
<literal>v17</literal> first. This is ensured automatically as long as the
|
<literal>v17</literal> first. This is ensured automatically as long as the
|
||||||
<link linkend="opt-system.stateVersion">stateVersion</link> is declared properly. In that case
|
<link linkend="opt-system.stateVersion">stateVersion</link> is declared properly. In that case
|
||||||
|
@ -125,6 +131,46 @@
|
||||||
release) will be selected by default and the module will generate a warning that reminds
|
release) will be selected by default and the module will generate a warning that reminds
|
||||||
the user to upgrade to latest Nextcloud <emphasis>after</emphasis> that deploy.
|
the user to upgrade to latest Nextcloud <emphasis>after</emphasis> that deploy.
|
||||||
</para>
|
</para>
|
||||||
|
</formalpara>
|
||||||
|
</listitem>
|
||||||
|
<listitem>
|
||||||
|
<formalpara>
|
||||||
|
<title><literal>Error: Command "upgrade" is not defined.</literal></title>
|
||||||
|
<para>
|
||||||
|
This error usually occurs if the initial installation
|
||||||
|
(<command>nextcloud-occ maintenance:install</command>) has failed. After that, the application
|
||||||
|
is not installed, but the upgrade is attempted to be executed. Further context can
|
||||||
|
be found in <link xlink:href="https://github.com/NixOS/nixpkgs/issues/111175">NixOS/nixpkgs#111175</link>.
|
||||||
|
</para>
|
||||||
|
</formalpara>
|
||||||
|
<para>
|
||||||
|
First of all, it makes sense to find out what went wrong by looking at the logs
|
||||||
|
of the installation via <command>journalctl -u nextcloud-setup</command> and try to fix
|
||||||
|
the underlying issue.
|
||||||
|
</para>
|
||||||
|
<itemizedlist>
|
||||||
|
<listitem>
|
||||||
|
<para>
|
||||||
|
If this occurs on an <emphasis>existing</emphasis> setup, this is most likely because
|
||||||
|
the maintenance mode is active. It can be deactivated by running
|
||||||
|
<command>nextcloud-occ maintenance:mode --off</command>. It's advisable though to
|
||||||
|
check the logs first on why the maintenance mode was activated.
|
||||||
|
</para>
|
||||||
|
</listitem>
|
||||||
|
<listitem>
|
||||||
|
<warning><para>Only perform the following measures on
|
||||||
|
<emphasis>freshly installed instances!</emphasis></para></warning>
|
||||||
|
<para>
|
||||||
|
A re-run of the installer can be forced by <emphasis>deleting</emphasis>
|
||||||
|
<filename>/var/lib/nextcloud/config/config.php</filename>. This is the only time
|
||||||
|
advisable because the fresh install doesn't have any state that can be lost.
|
||||||
|
In case that doesn't help, an entire re-creation can be forced via
|
||||||
|
<command>rm -rf ~nextcloud/</command>.
|
||||||
|
</para>
|
||||||
|
</listitem>
|
||||||
|
</itemizedlist>
|
||||||
|
</listitem>
|
||||||
|
</itemizedlist>
|
||||||
</section>
|
</section>
|
||||||
|
|
||||||
<section xml:id="module-services-nextcloud-httpd">
|
<section xml:id="module-services-nextcloud-httpd">
|
||||||
|
|
|
@ -1,25 +1,17 @@
|
||||||
{ lib, stdenv, fetchFromGitHub, ncurses, asciidoc, docbook_xsl, libxslt, pkg-config }:
|
{ lib, stdenv, fetchFromGitHub }:
|
||||||
|
|
||||||
with lib;
|
with lib;
|
||||||
|
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
pname = "kakoune-unwrapped";
|
pname = "kakoune-unwrapped";
|
||||||
version = "2020.09.01";
|
version = "2021.08.28";
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
repo = "kakoune";
|
repo = "kakoune";
|
||||||
owner = "mawww";
|
owner = "mawww";
|
||||||
rev = "v${version}";
|
rev = "v${version}";
|
||||||
sha256 = "091qzk0qs7hql0q51hix99srgma35mhdnjfd5ncfba1bmc1h8x5i";
|
sha256 = "13kc68vkrzg89khir6ayyxgbnmz16dhippcnw09hhzxivf5ayzpy";
|
||||||
};
|
};
|
||||||
nativeBuildInputs = [ pkg-config ];
|
makeFlags = [ "debug=no" "PREFIX=${placeholder "out"}" ];
|
||||||
buildInputs = [ ncurses asciidoc docbook_xsl libxslt ];
|
|
||||||
makeFlags = [ "debug=no" ];
|
|
||||||
|
|
||||||
postPatch = ''
|
|
||||||
export PREFIX=$out
|
|
||||||
cd src
|
|
||||||
sed -ie 's#--no-xmllint#--no-xmllint --xsltproc-opts="--nonet"#g' Makefile
|
|
||||||
'';
|
|
||||||
|
|
||||||
preConfigure = ''
|
preConfigure = ''
|
||||||
export version="v${version}"
|
export version="v${version}"
|
||||||
|
|
|
@ -1,18 +1,37 @@
|
||||||
{ callPackage, buildFHSUserEnv, undaemonize, unwrapped ? callPackage ./runtime.nix {} }:
|
{ lib, stdenv, writeScript, callPackage, buildFHSUserEnv, undaemonize, unwrapped ? callPackage ./runtime.nix {} }:
|
||||||
|
|
||||||
let
|
buildFHSUserEnv rec {
|
||||||
houdini-runtime = callPackage ./runtime.nix { };
|
name = "houdini-${unwrapped.version}";
|
||||||
in buildFHSUserEnv {
|
|
||||||
name = "houdini-${houdini-runtime.version}";
|
|
||||||
|
|
||||||
extraBuildCommands = ''
|
targetPkgs = pkgs: with pkgs; [
|
||||||
mkdir -p $out/usr/lib/sesi
|
libGLU libGL alsa-lib fontconfig zlib libpng dbus nss nspr expat pciutils
|
||||||
'';
|
libxkbcommon libudev0-shim tbb
|
||||||
|
] ++ (with xorg; [
|
||||||
|
libICE libSM libXmu libXi libXext libX11 libXrender libXcursor libXfixes
|
||||||
|
libXrender libXcomposite libXdamage libXtst libxcb libXScrnSaver
|
||||||
|
]);
|
||||||
|
|
||||||
passthru = {
|
passthru = {
|
||||||
unwrapped = houdini-runtime;
|
inherit unwrapped;
|
||||||
};
|
};
|
||||||
|
|
||||||
runScript = "${undaemonize}/bin/undaemonize ${houdini-runtime}/bin/houdini";
|
extraInstallCommands = let
|
||||||
}
|
executables = [ "bin/houdini" "bin/hkey" "houdini/sbin/sesinetd" ];
|
||||||
|
in ''
|
||||||
|
WRAPPER=$out/bin/${name}
|
||||||
|
EXECUTABLES="${lib.concatStringsSep " " executables}"
|
||||||
|
for executable in $EXECUTABLES; do
|
||||||
|
mkdir -p $out/$(dirname $executable)
|
||||||
|
|
||||||
|
echo "#!${stdenv.shell}" >> $out/$executable
|
||||||
|
echo "$WRAPPER ${unwrapped}/$executable \$@" >> $out/$executable
|
||||||
|
done
|
||||||
|
|
||||||
|
cd $out
|
||||||
|
chmod +x $EXECUTABLES
|
||||||
|
'';
|
||||||
|
|
||||||
|
runScript = writeScript "${name}-wrapper" ''
|
||||||
|
exec $@
|
||||||
|
'';
|
||||||
|
}
|
||||||
|
|
|
@ -1,50 +1,14 @@
|
||||||
{ lib, stdenv, requireFile, zlib, libpng, libSM, libICE, fontconfig, xorg, libGLU, libGL, alsa-lib
|
{ lib, stdenv, requireFile, bc }:
|
||||||
, dbus, xkeyboardconfig, nss, nspr, expat, pciutils, libxkbcommon, bc, addOpenGLRunpath
|
|
||||||
}:
|
|
||||||
|
|
||||||
let
|
let
|
||||||
# NOTE: Some dependencies only show in errors when run with QT_DEBUG_PLUGINS=1
|
|
||||||
ld_library_path = builtins.concatStringsSep ":" [
|
|
||||||
"${stdenv.cc.cc.lib}/lib64"
|
|
||||||
(lib.makeLibraryPath [
|
|
||||||
libGLU
|
|
||||||
libGL
|
|
||||||
xorg.libXmu
|
|
||||||
xorg.libXi
|
|
||||||
xorg.libXext
|
|
||||||
xorg.libX11
|
|
||||||
xorg.libXrender
|
|
||||||
xorg.libXcursor
|
|
||||||
xorg.libXfixes
|
|
||||||
xorg.libXrender
|
|
||||||
xorg.libXcomposite
|
|
||||||
xorg.libXdamage
|
|
||||||
xorg.libXtst
|
|
||||||
xorg.libxcb
|
|
||||||
xorg.libXScrnSaver
|
|
||||||
alsa-lib
|
|
||||||
fontconfig
|
|
||||||
libSM
|
|
||||||
libICE
|
|
||||||
zlib
|
|
||||||
libpng
|
|
||||||
dbus
|
|
||||||
addOpenGLRunpath.driverLink
|
|
||||||
nss
|
|
||||||
nspr
|
|
||||||
expat
|
|
||||||
pciutils
|
|
||||||
libxkbcommon
|
|
||||||
])
|
|
||||||
];
|
|
||||||
license_dir = "~/.config/houdini";
|
license_dir = "~/.config/houdini";
|
||||||
in
|
in
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
version = "18.0.460";
|
version = "18.5.596";
|
||||||
pname = "houdini-runtime";
|
pname = "houdini-runtime";
|
||||||
src = requireFile rec {
|
src = requireFile rec {
|
||||||
name = "houdini-${version}-linux_x86_64_gcc6.3.tar.gz";
|
name = "houdini-py3-${version}-linux_x86_64_gcc6.3.tar.gz";
|
||||||
sha256 = "18rbwszcks2zfn9zbax62rxmq50z9mc3h39b13jpd39qjqdd3jsd";
|
sha256 = "1b1k7rkn7svmciijqdwvi9p00srsf81vkb55grjg6xa7fgyidjx1";
|
||||||
url = meta.homepage;
|
url = meta.homepage;
|
||||||
};
|
};
|
||||||
|
|
||||||
|
@ -52,37 +16,25 @@ stdenv.mkDerivation rec {
|
||||||
installPhase = ''
|
installPhase = ''
|
||||||
patchShebangs houdini.install
|
patchShebangs houdini.install
|
||||||
mkdir -p $out
|
mkdir -p $out
|
||||||
sed -i "s|/usr/lib/sesi|${license_dir}|g" houdini.install
|
|
||||||
./houdini.install --install-houdini \
|
./houdini.install --install-houdini \
|
||||||
|
--install-license \
|
||||||
--no-install-menus \
|
--no-install-menus \
|
||||||
--no-install-bin-symlink \
|
--no-install-bin-symlink \
|
||||||
--auto-install \
|
--auto-install \
|
||||||
--no-root-check \
|
--no-root-check \
|
||||||
--accept-EULA \
|
--accept-EULA 2020-05-05 \
|
||||||
$out
|
$out
|
||||||
echo -e "localValidatorDir = ${license_dir}\nlicensingMode = localValidator" > $out/houdini/Licensing.opt
|
echo "licensingMode = localValidator" >> $out/houdini/Licensing.opt
|
||||||
sed -i "s|/usr/lib/sesi|${license_dir}|g" $out/houdini/sbin/sesinetd_safe
|
|
||||||
sed -i "s|/usr/lib/sesi|${license_dir}|g" $out/houdini/sbin/sesinetd.startup
|
|
||||||
echo "export LD_LIBRARY_PATH=${ld_library_path}" >> $out/bin/app_init.sh
|
|
||||||
echo "export QT_XKB_CONFIG_ROOT="${xkeyboardconfig}/share/X11/xkb"" >> $out/bin/app_init.sh
|
|
||||||
echo "export LD_LIBRARY_PATH=${ld_library_path}" >> $out/houdini/sbin/app_init.sh
|
|
||||||
echo "export QT_XKB_CONFIG_ROOT="${xkeyboardconfig}/share/X11/xkb"" >> $out/houdini/sbin/app_init.sh
|
|
||||||
'';
|
'';
|
||||||
postFixup = ''
|
|
||||||
INTERPRETER="$(cat "$NIX_CC"/nix-support/dynamic-linker)"
|
dontFixup = true;
|
||||||
for BIN in $(find $out/bin -type f -executable); do
|
|
||||||
if patchelf $BIN 2>/dev/null ; then
|
meta = with lib; {
|
||||||
echo "Patching ELF $BIN"
|
|
||||||
patchelf --set-interpreter "$INTERPRETER" "$BIN"
|
|
||||||
fi
|
|
||||||
done
|
|
||||||
'';
|
|
||||||
meta = {
|
|
||||||
description = "3D animation application software";
|
description = "3D animation application software";
|
||||||
homepage = "https://www.sidefx.com";
|
homepage = "https://www.sidefx.com";
|
||||||
license = lib.licenses.unfree;
|
license = licenses.unfree;
|
||||||
platforms = lib.platforms.linux;
|
platforms = platforms.linux;
|
||||||
hydraPlatforms = [ ]; # requireFile src's should be excluded
|
hydraPlatforms = [ ]; # requireFile src's should be excluded
|
||||||
maintainers = with lib.maintainers; [ canndrew kwohlfahrt ];
|
maintainers = with maintainers; [ canndrew kwohlfahrt ];
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|
|
@ -23,7 +23,7 @@ mkDerivation rec {
|
||||||
owner = "openstreetmap";
|
owner = "openstreetmap";
|
||||||
repo = "merkaartor";
|
repo = "merkaartor";
|
||||||
rev = version;
|
rev = version;
|
||||||
sha256 = "sha256-Gx+gnVbSY8JnG03kO5vVQNlSZRl/hrKTdDbh7lyIMbA=";
|
sha256 = "sha256-I3QNCXzwhEFa8aOdwl3UJV8MLZ9caN9wuaaVrGFRvbQ=";
|
||||||
};
|
};
|
||||||
|
|
||||||
nativeBuildInputs = [ qmake qttools ];
|
nativeBuildInputs = [ qmake qttools ];
|
||||||
|
|
File diff suppressed because it is too large
Load diff
|
@ -7,10 +7,10 @@ in
|
||||||
rec {
|
rec {
|
||||||
firefox = common rec {
|
firefox = common rec {
|
||||||
pname = "firefox";
|
pname = "firefox";
|
||||||
version = "91.0.1";
|
version = "91.0.2";
|
||||||
src = fetchurl {
|
src = fetchurl {
|
||||||
url = "mirror://mozilla/firefox/releases/${version}/source/firefox-${version}.source.tar.xz";
|
url = "mirror://mozilla/firefox/releases/${version}/source/firefox-${version}.source.tar.xz";
|
||||||
sha512 = "9388789bfe3dca596542b082d0eca7b1a6d1bbbf69eb97cc445f563d1a5ff0c9b530f3be02ee290805e311b0fcb392a4f5341e9f256d9764a787b43b232bdf67";
|
sha512 = "82084799524db6661d97d9942a01ca9edec2fae6b503c9dd2d79fca78bfef4ee0a888e5f5cf4cfa2b91d9c9392658bb8218bae2b9bec0fbcacfe73a174a4dbe7";
|
||||||
};
|
};
|
||||||
|
|
||||||
meta = {
|
meta = {
|
||||||
|
|
|
@ -65,8 +65,8 @@ rec {
|
||||||
};
|
};
|
||||||
|
|
||||||
kops_1_21 = mkKops rec {
|
kops_1_21 = mkKops rec {
|
||||||
version = "1.21.0";
|
version = "1.21.1";
|
||||||
sha256 = "sha256-T2i3qpg3GC7yaYCGrN1V5XXrUyT+Ce9Q4aV00gQJ7gM=";
|
sha256 = "sha256-/C/fllgfAovHuyGRY+LM09bsUpYdA8zDw1w0b9HnlBc=";
|
||||||
rev = "v${version}";
|
rev = "v${version}";
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|
|
@ -6,6 +6,6 @@
|
||||||
|
|
||||||
callPackage ./generic.nix {
|
callPackage ./generic.nix {
|
||||||
inherit buildGoPackage nvidia_x11 nvidiaGpuSupport;
|
inherit buildGoPackage nvidia_x11 nvidiaGpuSupport;
|
||||||
version = "1.0.9";
|
version = "1.0.10";
|
||||||
sha256 = "0ml6l5xq1310ib5zqfdwlxmsmhpc5ybd05z7pc6zgxbma1brxdv4";
|
sha256 = "1yd4j35dmxzg9qapqyq3g3hnhxi5c4f57q43xbim8255bjyn94f0";
|
||||||
}
|
}
|
||||||
|
|
|
@ -6,7 +6,7 @@
|
||||||
|
|
||||||
callPackage ./genericModule.nix {
|
callPackage ./genericModule.nix {
|
||||||
inherit buildGoModule nvidia_x11 nvidiaGpuSupport;
|
inherit buildGoModule nvidia_x11 nvidiaGpuSupport;
|
||||||
version = "1.1.3";
|
version = "1.1.4";
|
||||||
sha256 = "0jpc8ff56k9q2kv9l86y3p8h3gqbvx6amvs0cw8sp4i7dqd2ihz2";
|
sha256 = "182f3sxw751s8qg16vbssplhl92i9gshgzvflwwvnxraz2795y7l";
|
||||||
vendorSha256 = "0az4gr7292lfr5wrwbkdknrigqm15lkbnf5mh517hl3yzv4pb8yr";
|
vendorSha256 = "1nddknnsvb05sapbj1c52cv2fmibvdg48f88malxqblzw33wfziq";
|
||||||
}
|
}
|
||||||
|
|
|
@ -2,7 +2,7 @@
|
||||||
"name": "element-desktop",
|
"name": "element-desktop",
|
||||||
"productName": "Element",
|
"productName": "Element",
|
||||||
"main": "lib/electron-main.js",
|
"main": "lib/electron-main.js",
|
||||||
"version": "1.8.1",
|
"version": "1.8.2",
|
||||||
"description": "A feature-rich client for Matrix.org",
|
"description": "A feature-rich client for Matrix.org",
|
||||||
"author": "Element",
|
"author": "Element",
|
||||||
"repository": {
|
"repository": {
|
||||||
|
@ -57,7 +57,7 @@
|
||||||
"allchange": "^1.0.0",
|
"allchange": "^1.0.0",
|
||||||
"asar": "^2.0.1",
|
"asar": "^2.0.1",
|
||||||
"chokidar": "^3.5.2",
|
"chokidar": "^3.5.2",
|
||||||
"electron": "^13.1.7",
|
"electron": "^13.1.9",
|
||||||
"electron-builder": "22.11.4",
|
"electron-builder": "22.11.4",
|
||||||
"electron-builder-squirrel-windows": "22.11.4",
|
"electron-builder-squirrel-windows": "22.11.4",
|
||||||
"electron-devtools-installer": "^3.1.1",
|
"electron-devtools-installer": "^3.1.1",
|
||||||
|
@ -83,7 +83,7 @@
|
||||||
},
|
},
|
||||||
"build": {
|
"build": {
|
||||||
"appId": "im.riot.app",
|
"appId": "im.riot.app",
|
||||||
"electronVersion": "13.1.6",
|
"electronVersion": "13.1.9",
|
||||||
"files": [
|
"files": [
|
||||||
"package.json",
|
"package.json",
|
||||||
{
|
{
|
||||||
|
|
|
@ -2002,11 +2002,11 @@
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
{
|
{
|
||||||
name = "electron___electron_13.1.7.tgz";
|
name = "electron___electron_13.1.9.tgz";
|
||||||
path = fetchurl {
|
path = fetchurl {
|
||||||
name = "electron___electron_13.1.7.tgz";
|
name = "electron___electron_13.1.9.tgz";
|
||||||
url = "https://registry.yarnpkg.com/electron/-/electron-13.1.7.tgz";
|
url = "https://registry.yarnpkg.com/electron/-/electron-13.1.9.tgz";
|
||||||
sha1 = "7e17f5c93a8d182a2a486884fed3dc34ab101be9";
|
sha1 = "668e2632b81e9fa21edfd32876282d3e2ff7fd76";
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
{
|
{
|
||||||
|
|
|
@ -19,12 +19,12 @@
|
||||||
|
|
||||||
let
|
let
|
||||||
executableName = "element-desktop";
|
executableName = "element-desktop";
|
||||||
version = "1.8.1";
|
version = "1.8.2";
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "vector-im";
|
owner = "vector-im";
|
||||||
repo = "element-desktop";
|
repo = "element-desktop";
|
||||||
rev = "v${version}";
|
rev = "v${version}";
|
||||||
sha256 = "sha256-FIKbyfnRuHBbmtjwxNC//n5UiGTCQNr+PeiZEi3+RGI=";
|
sha256 = "sha256-6DPMfx3LF45YWn2do02zDMLYZGBgBrOMJx3XBAO0ZyM=";
|
||||||
};
|
};
|
||||||
electron_exec = if stdenv.isDarwin then "${electron}/Applications/Electron.app/Contents/MacOS/Electron" else "${electron}/bin/electron";
|
electron_exec = if stdenv.isDarwin then "${electron}/Applications/Electron.app/Contents/MacOS/Electron" else "${electron}/bin/electron";
|
||||||
in
|
in
|
||||||
|
|
|
@ -12,11 +12,11 @@ let
|
||||||
|
|
||||||
in stdenv.mkDerivation rec {
|
in stdenv.mkDerivation rec {
|
||||||
pname = "element-web";
|
pname = "element-web";
|
||||||
version = "1.8.1";
|
version = "1.8.2";
|
||||||
|
|
||||||
src = fetchurl {
|
src = fetchurl {
|
||||||
url = "https://github.com/vector-im/element-web/releases/download/v${version}/element-v${version}.tar.gz";
|
url = "https://github.com/vector-im/element-web/releases/download/v${version}/element-v${version}.tar.gz";
|
||||||
sha256 = "sha256-C2oWYpPxMeSgGKyjUe6Ih13ggZliN4bmAX5cakzW1u8=";
|
sha256 = "sha256-SgVxYPmdgFn6Nll1a6b1Sn2H5I0Vkjorn3gA9d5FamQ=";
|
||||||
};
|
};
|
||||||
|
|
||||||
installPhase = ''
|
installPhase = ''
|
||||||
|
|
|
@ -1,13 +1,13 @@
|
||||||
{ lib, stdenv, fetchurl, dpkg
|
{ lib, stdenv, fetchurl, dpkg
|
||||||
, alsa-lib, atk, cairo, cups, curl, dbus, expat, fontconfig, freetype, gdk-pixbuf, glib, glibc, gnome2, gnome
|
, alsa-lib, atk, cairo, cups, curl, dbus, expat, fontconfig, freetype, gdk-pixbuf, glib, glibc, gnome2, gnome
|
||||||
, gtk3, libappindicator-gtk3, libnotify, libpulseaudio, libsecret, libv4l, nspr, nss, pango, systemd, wrapGAppsHook, xorg
|
, gtk3, libappindicator-gtk3, libnotify, libpulseaudio, libsecret, libv4l, nspr, nss, pango, systemd, wrapGAppsHook, xorg
|
||||||
, at-spi2-atk, libuuid, at-spi2-core, libdrm, mesa, libxkbcommon }:
|
, at-spi2-atk, libuuid, at-spi2-core, libdrm, mesa, libxkbcommon, libxshmfence }:
|
||||||
|
|
||||||
let
|
let
|
||||||
|
|
||||||
# Please keep the version x.y.0.z and do not update to x.y.76.z because the
|
# Please keep the version x.y.0.z and do not update to x.y.76.z because the
|
||||||
# source of the latter disappears much faster.
|
# source of the latter disappears much faster.
|
||||||
version = "8.69.0.77";
|
version = "8.75.0.140";
|
||||||
|
|
||||||
rpath = lib.makeLibraryPath [
|
rpath = lib.makeLibraryPath [
|
||||||
alsa-lib
|
alsa-lib
|
||||||
|
@ -45,6 +45,7 @@ let
|
||||||
libdrm
|
libdrm
|
||||||
mesa
|
mesa
|
||||||
libxkbcommon
|
libxkbcommon
|
||||||
|
libxshmfence
|
||||||
xorg.libxkbfile
|
xorg.libxkbfile
|
||||||
xorg.libX11
|
xorg.libX11
|
||||||
xorg.libXcomposite
|
xorg.libXcomposite
|
||||||
|
@ -68,7 +69,7 @@ let
|
||||||
"https://mirror.cs.uchicago.edu/skype/pool/main/s/skypeforlinux/skypeforlinux_${version}_amd64.deb"
|
"https://mirror.cs.uchicago.edu/skype/pool/main/s/skypeforlinux/skypeforlinux_${version}_amd64.deb"
|
||||||
"https://web.archive.org/web/https://repo.skype.com/deb/pool/main/s/skypeforlinux/skypeforlinux_${version}_amd64.deb"
|
"https://web.archive.org/web/https://repo.skype.com/deb/pool/main/s/skypeforlinux/skypeforlinux_${version}_amd64.deb"
|
||||||
];
|
];
|
||||||
sha256 = "PaqlPp+BRS0cH7XI4x1/5HqYti63rQThmTtPaghIQH0=";
|
sha256 = "sha256-z3xsl53CSJthSd/BMbMD7RdYQ4z9oI/Rb9jUvd82H4E=";
|
||||||
}
|
}
|
||||||
else
|
else
|
||||||
throw "Skype for linux is not supported on ${stdenv.hostPlatform.system}";
|
throw "Skype for linux is not supported on ${stdenv.hostPlatform.system}";
|
||||||
|
@ -121,7 +122,7 @@ in stdenv.mkDerivation {
|
||||||
description = "Linux client for skype";
|
description = "Linux client for skype";
|
||||||
homepage = "https://www.skype.com";
|
homepage = "https://www.skype.com";
|
||||||
license = licenses.unfree;
|
license = licenses.unfree;
|
||||||
maintainers = with lib.maintainers; [ panaeon jraygauthier ];
|
maintainers = with maintainers; [ panaeon jraygauthier ];
|
||||||
platforms = [ "x86_64-linux" ];
|
platforms = [ "x86_64-linux" ];
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,7 +1,7 @@
|
||||||
{ stdenv
|
{ stdenv
|
||||||
, lib
|
, lib
|
||||||
, fetchurl
|
, fetchurl
|
||||||
# Alphabetic ordering below
|
# Alphabetic ordering below
|
||||||
, alsa-lib
|
, alsa-lib
|
||||||
, at-spi2-atk
|
, at-spi2-atk
|
||||||
, atk
|
, atk
|
||||||
|
@ -70,13 +70,14 @@ let
|
||||||
pulseaudio
|
pulseaudio
|
||||||
];
|
];
|
||||||
|
|
||||||
in stdenv.mkDerivation rec {
|
in
|
||||||
|
stdenv.mkDerivation rec {
|
||||||
pname = "onlyoffice-desktopeditors";
|
pname = "onlyoffice-desktopeditors";
|
||||||
version = "6.2.0";
|
version = "6.3.1";
|
||||||
minor = null;
|
minor = null;
|
||||||
src = fetchurl {
|
src = fetchurl {
|
||||||
url = "https://github.com/ONLYOFFICE/DesktopEditors/releases/download/v${version}/onlyoffice-desktopeditors_amd64.deb";
|
url = "https://github.com/ONLYOFFICE/DesktopEditors/releases/download/v${version}/onlyoffice-desktopeditors_amd64.deb";
|
||||||
sha256 = "sha256-nKmWxaVVul/rGDIh3u9zCpKu7U0nmrntFFf96xQyzdg=";
|
sha256 = "sha256-WCjCljA7yB7Zm/I4rDZnfgaUQpDUKwbUvL7hkIG8cVM=";
|
||||||
};
|
};
|
||||||
|
|
||||||
nativeBuildInputs = [
|
nativeBuildInputs = [
|
||||||
|
@ -160,6 +161,8 @@ in stdenv.mkDerivation rec {
|
||||||
gappsWrapperArgs+=(--prefix LD_LIBRARY_PATH : "${runtimeLibs}" )
|
gappsWrapperArgs+=(--prefix LD_LIBRARY_PATH : "${runtimeLibs}" )
|
||||||
'';
|
'';
|
||||||
|
|
||||||
|
passthru.updateScript = ./update.sh;
|
||||||
|
|
||||||
meta = with lib; {
|
meta = with lib; {
|
||||||
description = "Office suite that combines text, spreadsheet and presentation editors allowing to create, view and edit local documents";
|
description = "Office suite that combines text, spreadsheet and presentation editors allowing to create, view and edit local documents";
|
||||||
homepage = "https://www.onlyoffice.com/";
|
homepage = "https://www.onlyoffice.com/";
|
||||||
|
|
5
pkgs/applications/office/onlyoffice-bin/update.sh
Normal file
5
pkgs/applications/office/onlyoffice-bin/update.sh
Normal file
|
@ -0,0 +1,5 @@
|
||||||
|
#!/usr/bin/env nix-shell
|
||||||
|
#!nix-shell -i bash -p curl jq common-updater-scripts
|
||||||
|
|
||||||
|
version="$(curl -sL "https://api.github.com/repos/ONLYOFFICE/DesktopEditors/releases?per_page=1" | jq -r ".[0].tag_name" | sed 's/^v//')"
|
||||||
|
update-source-version onlyoffice-bin "$version"
|
|
@ -4,6 +4,7 @@
|
||||||
, curl, Cocoa, Foundation, libobjc, libcxx, tzdata
|
, curl, Cocoa, Foundation, libobjc, libcxx, tzdata
|
||||||
, withRecommendedPackages ? true
|
, withRecommendedPackages ? true
|
||||||
, enableStrictBarrier ? false
|
, enableStrictBarrier ? false
|
||||||
|
, enableMemoryProfiling ? false
|
||||||
# R as of writing does not support outputting both .so and .a files; it outputs:
|
# R as of writing does not support outputting both .so and .a files; it outputs:
|
||||||
# --enable-R-static-lib conflicts with --enable-R-shlib and will be ignored
|
# --enable-R-static-lib conflicts with --enable-R-shlib and will be ignored
|
||||||
, static ? false
|
, static ? false
|
||||||
|
@ -56,6 +57,7 @@ stdenv.mkDerivation rec {
|
||||||
--with-libtiff
|
--with-libtiff
|
||||||
--with-ICU
|
--with-ICU
|
||||||
${lib.optionalString enableStrictBarrier "--enable-strict-barrier"}
|
${lib.optionalString enableStrictBarrier "--enable-strict-barrier"}
|
||||||
|
${lib.optionalString enableMemoryProfiling "--enable-memory-profiling"}
|
||||||
${if static then "--enable-R-static-lib" else "--enable-R-shlib"}
|
${if static then "--enable-R-static-lib" else "--enable-R-shlib"}
|
||||||
AR=$(type -p ar)
|
AR=$(type -p ar)
|
||||||
AWK=$(type -p gawk)
|
AWK=$(type -p gawk)
|
||||||
|
|
|
@ -13,19 +13,41 @@ let
|
||||||
# Fetch a diff between `base` and `rev` on sage's git server.
|
# Fetch a diff between `base` and `rev` on sage's git server.
|
||||||
# Used to fetch trac tickets by setting the `base` to the last release and the
|
# Used to fetch trac tickets by setting the `base` to the last release and the
|
||||||
# `rev` to the last commit of the ticket.
|
# `rev` to the last commit of the ticket.
|
||||||
fetchSageDiff = { base, name, rev, sha256, ...}@args: (
|
fetchSageDiff = { base, name, rev, sha256, squashed ? false, ...}@args: (
|
||||||
fetchpatch ({
|
fetchpatch ({
|
||||||
inherit name sha256;
|
inherit name sha256;
|
||||||
|
|
||||||
# We used to use
|
# There are three places to get changes from:
|
||||||
# "https://git.sagemath.org/sage.git/patch?id2=${base}&id=${rev}"
|
#
|
||||||
# but the former way does not squash multiple patches together.
|
# 1) From Sage's Trac. Contains all release tags (like "9.4") and all developer
|
||||||
url = "https://github.com/sagemath/sage/compare/${base}...${rev}.diff";
|
# branches (wip patches from tickets), but exports each commit as a separate
|
||||||
|
# patch, so merge commits can lead to conflicts. Used if squashed == false.
|
||||||
|
#
|
||||||
|
# 2) From GitHub's sagemath/sage repo. This lets us use a GH feature that allows
|
||||||
|
# us to choose between a .patch file, with one patch per commit, or a .diff file,
|
||||||
|
# which squashes all commits into a single diff. This is used if squashed ==
|
||||||
|
# true. This repo has all release tags. However, it has no developer branches, so
|
||||||
|
# this option can't be used if a change wasn't yet shipped in a (possibly beta)
|
||||||
|
# release.
|
||||||
|
#
|
||||||
|
# 3) From GitHub's sagemath/sagetrac-mirror repo. Mirrors all developer branches,
|
||||||
|
# but has no release tags. The only use case not covered by 1 or 2 is when we need
|
||||||
|
# to apply a patch from an open ticket that contains merge commits.
|
||||||
|
#
|
||||||
|
# Item 3 could cover all use cases if the sagemath/sagetrack-mirror repo had
|
||||||
|
# release tags, but it requires a sha instead of a release number in "base", which
|
||||||
|
# is inconvenient.
|
||||||
|
urls = if squashed
|
||||||
|
then [
|
||||||
|
"https://github.com/sagemath/sage/compare/${base}...${rev}.diff"
|
||||||
|
"https://github.com/sagemath/sagetrac-mirror/compare/${base}...${rev}.diff"
|
||||||
|
]
|
||||||
|
else [ "https://git.sagemath.org/sage.git/patch?id2=${base}&id=${rev}" ];
|
||||||
|
|
||||||
# We don't care about sage's own build system (which builds all its dependencies).
|
# We don't care about sage's own build system (which builds all its dependencies).
|
||||||
# Exclude build system changes to avoid conflicts.
|
# Exclude build system changes to avoid conflicts.
|
||||||
excludes = [ "build/*" ];
|
excludes = [ "build/*" ];
|
||||||
} // builtins.removeAttrs args [ "rev" "base" "sha256" ])
|
} // builtins.removeAttrs args [ "rev" "base" "sha256" "squashed" ])
|
||||||
);
|
);
|
||||||
in
|
in
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
|
@ -80,6 +102,14 @@ stdenv.mkDerivation rec {
|
||||||
# now set the cache dir to be within the .sage directory. This is not
|
# now set the cache dir to be within the .sage directory. This is not
|
||||||
# strictly necessary, but keeps us from littering in the user's HOME.
|
# strictly necessary, but keeps us from littering in the user's HOME.
|
||||||
./patches/sympow-cache.patch
|
./patches/sympow-cache.patch
|
||||||
|
|
||||||
|
# https://trac.sagemath.org/ticket/32305
|
||||||
|
(fetchSageDiff {
|
||||||
|
base = "9.4";
|
||||||
|
name = "networkx-2.6-upgrade.patch";
|
||||||
|
rev = "9808325853ba9eb035115e5b056305a1c9d362a0";
|
||||||
|
sha256 = "sha256-gJSqycCtbAVr5qnVEbHFUvIuTOvaxFIeffpzd6nH4DE=";
|
||||||
|
})
|
||||||
];
|
];
|
||||||
|
|
||||||
patches = nixPatches ++ bugfixPatches ++ packageUpgradePatches;
|
patches = nixPatches ++ bugfixPatches ++ packageUpgradePatches;
|
||||||
|
|
|
@ -2,9 +2,13 @@
|
||||||
|
|
||||||
, coreutils
|
, coreutils
|
||||||
, git
|
, git
|
||||||
|
, libiconv
|
||||||
, ncurses
|
, ncurses
|
||||||
, rustPlatform
|
, rustPlatform
|
||||||
, sqlite
|
, sqlite
|
||||||
|
, stdenv
|
||||||
|
, Security
|
||||||
|
, SystemConfiguration
|
||||||
}:
|
}:
|
||||||
|
|
||||||
rustPlatform.buildRustPackage rec {
|
rustPlatform.buildRustPackage rec {
|
||||||
|
@ -33,6 +37,10 @@ rustPlatform.buildRustPackage rec {
|
||||||
buildInputs = [
|
buildInputs = [
|
||||||
ncurses
|
ncurses
|
||||||
sqlite
|
sqlite
|
||||||
|
] ++ lib.optionals (stdenv.isDarwin) [
|
||||||
|
Security
|
||||||
|
SystemConfiguration
|
||||||
|
libiconv
|
||||||
];
|
];
|
||||||
|
|
||||||
preCheck = ''
|
preCheck = ''
|
||||||
|
@ -44,6 +52,6 @@ rustPlatform.buildRustPackage rec {
|
||||||
description = "A suite of tools to help you visualize, navigate, manipulate, and repair your commit history";
|
description = "A suite of tools to help you visualize, navigate, manipulate, and repair your commit history";
|
||||||
homepage = "https://github.com/arxanas/git-branchless";
|
homepage = "https://github.com/arxanas/git-branchless";
|
||||||
license = licenses.asl20;
|
license = licenses.asl20;
|
||||||
maintainers = with maintainers; [ nh2 ];
|
maintainers = with maintainers; [ msfjarvis nh2 ];
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|
|
@ -8,16 +8,16 @@
|
||||||
|
|
||||||
buildGoModule rec {
|
buildGoModule rec {
|
||||||
pname = "lima";
|
pname = "lima";
|
||||||
version = "0.6.0";
|
version = "0.6.1";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "lima-vm";
|
owner = "lima-vm";
|
||||||
repo = pname;
|
repo = pname;
|
||||||
rev = "v${version}";
|
rev = "v${version}";
|
||||||
sha256 = "sha256-UwsAeU7Me2UN9pUWvqGgQ7XSNcrClXYOA+9F6yO2aqA=";
|
sha256 = "sha256-x4IRHxmVeP87M7rSrQWDd9pj2Rb9uGu133mExepxX6Q=";
|
||||||
};
|
};
|
||||||
|
|
||||||
vendorSha256 = "sha256-vdqLdSXQ2ywZoG7ROQP9PLWUqhoOO7N5li+xjc2HtzM=";
|
vendorSha256 = "sha256-PeIEIUX/PwwnbZfXnK3IsENO+zRYLhljBRe910aZgKs=";
|
||||||
|
|
||||||
nativeBuildInputs = [ makeWrapper installShellFiles ];
|
nativeBuildInputs = [ makeWrapper installShellFiles ];
|
||||||
|
|
||||||
|
|
|
@ -17,13 +17,13 @@
|
||||||
|
|
||||||
buildGoModule rec {
|
buildGoModule rec {
|
||||||
pname = "podman";
|
pname = "podman";
|
||||||
version = "3.3.0";
|
version = "3.3.1";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "containers";
|
owner = "containers";
|
||||||
repo = "podman";
|
repo = "podman";
|
||||||
rev = "v${version}";
|
rev = "v${version}";
|
||||||
sha256 = "sha256-EDNpGDjsXULwtUYFLh4u6gntK//rsLLpYgpxRt4R1kc=";
|
sha256 = "sha256-DVRLdJFYD5Ovc0n5SoMv71GPTuBO3wfqREcGRJEuND0=";
|
||||||
};
|
};
|
||||||
|
|
||||||
vendorSha256 = null;
|
vendorSha256 = null;
|
||||||
|
|
|
@ -1,29 +1,51 @@
|
||||||
{ lib, stdenv, fetchurl, libX11, xorgproto }:
|
{ autoreconfHook
|
||||||
|
, docbook_xml_dtd_44
|
||||||
|
, docbook-xsl-ns
|
||||||
|
, fetchFromGitHub
|
||||||
|
, lib
|
||||||
|
, libX11
|
||||||
|
, libXpm
|
||||||
|
, libxslt
|
||||||
|
, stdenv
|
||||||
|
}:
|
||||||
|
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
pname = "stalonetray";
|
pname = "stalonetray";
|
||||||
version = "0.8.3";
|
version = "0.8.4";
|
||||||
|
|
||||||
src = fetchurl {
|
src = fetchFromGitHub {
|
||||||
url = "mirror://sourceforge/stalonetray/${pname}-${version}.tar.bz2";
|
owner = "kolbusa";
|
||||||
sha256 = "0k7xnpdb6dvx25d67v0crlr32cdnzykdsi9j889njiididc8lm1n";
|
repo = pname;
|
||||||
|
rev = "v${version}";
|
||||||
|
sha256 = "sha256-grxPqSYPLUstLIOKqzMActaSQ2ftYrjbalfR4HcPDRY=";
|
||||||
};
|
};
|
||||||
|
|
||||||
buildInputs = [ libX11 xorgproto ];
|
preConfigure =
|
||||||
|
let
|
||||||
|
db_root = "${docbook-xsl-ns}/share/xml/docbook-xsl-ns";
|
||||||
|
ac_str = "AC_SUBST(DOCBOOK_ROOT)";
|
||||||
|
ac_str_sub = "DOCBOOK_ROOT=${db_root}; ${ac_str}";
|
||||||
|
in
|
||||||
|
''
|
||||||
|
substituteInPlace configure.ac --replace '${ac_str}' '${ac_str_sub}'
|
||||||
|
'';
|
||||||
|
|
||||||
|
nativeBuildInputs = [
|
||||||
|
autoreconfHook
|
||||||
|
docbook-xsl-ns
|
||||||
|
docbook_xml_dtd_44
|
||||||
|
libX11
|
||||||
|
libXpm
|
||||||
|
libxslt
|
||||||
|
];
|
||||||
|
|
||||||
hardeningDisable = [ "format" ];
|
hardeningDisable = [ "format" ];
|
||||||
|
|
||||||
meta = with lib; {
|
meta = with lib; {
|
||||||
description = "Stand alone tray";
|
description = "Stand alone tray";
|
||||||
homepage = "http://stalonetray.sourceforge.net";
|
homepage = "https://github.com/kolbusa/stalonetray";
|
||||||
license = licenses.gpl2;
|
license = licenses.gpl2Only;
|
||||||
platforms = platforms.linux;
|
platforms = platforms.linux;
|
||||||
maintainers = with maintainers; [ raskin ];
|
maintainers = with maintainers; [ raskin ];
|
||||||
};
|
};
|
||||||
|
|
||||||
passthru = {
|
|
||||||
updateInfo = {
|
|
||||||
downloadPage = "https://sourceforge.net/projects/stalonetray/files/";
|
|
||||||
};
|
|
||||||
};
|
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,67 +1,46 @@
|
||||||
{ lib, stdenv
|
{ lib
|
||||||
|
, stdenv
|
||||||
, fetchFromGitHub
|
, fetchFromGitHub
|
||||||
, fetchpatch
|
|
||||||
, autoconf
|
, autoconf
|
||||||
, automake
|
, automake
|
||||||
, fontconfig
|
, fontconfig
|
||||||
, gmp-static
|
|
||||||
, gperf
|
|
||||||
, libX11
|
, libX11
|
||||||
, libpoly
|
|
||||||
, perl
|
, perl
|
||||||
, flex
|
, flex
|
||||||
, bison
|
, bison
|
||||||
, pkg-config
|
, pkg-config
|
||||||
, itktcl
|
|
||||||
, incrtcl
|
|
||||||
, tcl
|
, tcl
|
||||||
, tk
|
, tk
|
||||||
, verilog
|
|
||||||
, xorg
|
, xorg
|
||||||
, yices
|
, yices
|
||||||
, zlib
|
, zlib
|
||||||
, ghc
|
, ghc
|
||||||
}:
|
, gmp-static
|
||||||
|
, verilog
|
||||||
|
, asciidoctor
|
||||||
|
, tex }:
|
||||||
|
|
||||||
let
|
let
|
||||||
ghcWithPackages = ghc.withPackages (g: (with g; [old-time regex-compat syb split ]));
|
ghcWithPackages = ghc.withPackages (g: (with g; [ old-time regex-compat syb split ]));
|
||||||
|
|
||||||
in stdenv.mkDerivation rec {
|
in stdenv.mkDerivation rec {
|
||||||
pname = "bluespec";
|
pname = "bluespec";
|
||||||
version = "unstable-2021.03.29";
|
version = "2021.07";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "B-Lang-org";
|
owner = "B-Lang-org";
|
||||||
repo = "bsc";
|
repo = "bsc";
|
||||||
rev = "00185f7960bd1bd5554a1167be9f37e1f18ac454";
|
rev = version;
|
||||||
sha256 = "1bcdhql4cla137d8xr8m2h21dyxv0jpjpalpr5mgj2jxqfsmkbrn";
|
sha256 = "0gw8wyp65lpkyfhv3laazz9qypdl8qkp1j7cqp0gv11592a9p5qw";
|
||||||
};
|
};
|
||||||
|
|
||||||
enableParallelBuilding = true;
|
enableParallelBuilding = true;
|
||||||
|
|
||||||
|
outputs = [ "out" "doc" ];
|
||||||
|
|
||||||
|
# https://github.com/B-Lang-org/bsc/pull/278
|
||||||
patches = [ ./libstp_stub_makefile.patch ];
|
patches = [ ./libstp_stub_makefile.patch ];
|
||||||
|
|
||||||
buildInputs = yices.buildInputs ++ [
|
|
||||||
zlib
|
|
||||||
tcl tk
|
|
||||||
libX11 # tcltk
|
|
||||||
xorg.libXft
|
|
||||||
fontconfig
|
|
||||||
];
|
|
||||||
|
|
||||||
nativeBuildInputs = [
|
|
||||||
automake autoconf
|
|
||||||
perl
|
|
||||||
flex
|
|
||||||
bison
|
|
||||||
pkg-config
|
|
||||||
ghcWithPackages
|
|
||||||
];
|
|
||||||
|
|
||||||
checkInputs = [
|
|
||||||
verilog
|
|
||||||
];
|
|
||||||
|
|
||||||
|
|
||||||
postUnpack = ''
|
postUnpack = ''
|
||||||
mkdir -p $sourceRoot/src/vendor/yices/v2.6/yices2
|
mkdir -p $sourceRoot/src/vendor/yices/v2.6/yices2
|
||||||
# XXX: only works because yices.src isn't a tarball.
|
# XXX: only works because yices.src isn't a tarball.
|
||||||
|
@ -79,21 +58,61 @@ in stdenv.mkDerivation rec {
|
||||||
substituteInPlace src/comp/Makefile \
|
substituteInPlace src/comp/Makefile \
|
||||||
--replace 'BINDDIR' 'BINDIR' \
|
--replace 'BINDDIR' 'BINDIR' \
|
||||||
--replace 'install-bsc install-bluetcl' 'install-bsc install-bluetcl $(UTILEXES) install-utils'
|
--replace 'install-bsc install-bluetcl' 'install-bsc install-bluetcl $(UTILEXES) install-utils'
|
||||||
|
|
||||||
# allow running bsc to bootstrap
|
# allow running bsc to bootstrap
|
||||||
export LD_LIBRARY_PATH=/build/source/inst/lib/SAT
|
export LD_LIBRARY_PATH=$PWD/inst/lib/SAT
|
||||||
'';
|
'';
|
||||||
|
|
||||||
|
buildInputs = yices.buildInputs ++ [
|
||||||
|
fontconfig
|
||||||
|
libX11 # tcltk
|
||||||
|
tcl
|
||||||
|
tk
|
||||||
|
xorg.libXft
|
||||||
|
zlib
|
||||||
|
];
|
||||||
|
|
||||||
|
nativeBuildInputs = [
|
||||||
|
automake
|
||||||
|
autoconf
|
||||||
|
asciidoctor
|
||||||
|
bison
|
||||||
|
flex
|
||||||
|
ghcWithPackages
|
||||||
|
perl
|
||||||
|
pkg-config
|
||||||
|
tex
|
||||||
|
];
|
||||||
|
|
||||||
makeFlags = [
|
makeFlags = [
|
||||||
|
"release"
|
||||||
"NO_DEPS_CHECKS=1" # skip the subrepo check (this deriviation uses yices.src instead of the subrepo)
|
"NO_DEPS_CHECKS=1" # skip the subrepo check (this deriviation uses yices.src instead of the subrepo)
|
||||||
"NOGIT=1" # https://github.com/B-Lang-org/bsc/issues/12
|
"NOGIT=1" # https://github.com/B-Lang-org/bsc/issues/12
|
||||||
"LDCONFIG=ldconfig" # https://github.com/B-Lang-org/bsc/pull/43
|
"LDCONFIG=ldconfig" # https://github.com/B-Lang-org/bsc/pull/43
|
||||||
"STP_STUB=1"
|
"STP_STUB=1"
|
||||||
];
|
];
|
||||||
|
|
||||||
installPhase = "mv inst $out";
|
|
||||||
|
|
||||||
doCheck = true;
|
doCheck = true;
|
||||||
|
|
||||||
|
checkInputs = [
|
||||||
|
gmp-static
|
||||||
|
verilog
|
||||||
|
];
|
||||||
|
|
||||||
|
checkTarget = "check-smoke";
|
||||||
|
|
||||||
|
installPhase = ''
|
||||||
|
mkdir -p $out
|
||||||
|
mv inst/bin $out
|
||||||
|
mv inst/lib $out
|
||||||
|
|
||||||
|
# fragile, I know..
|
||||||
|
mkdir -p $doc/share/doc/bsc
|
||||||
|
mv inst/README $doc/share/doc/bsc
|
||||||
|
mv inst/ReleaseNotes.* $doc/share/doc/bsc
|
||||||
|
mv inst/doc/*.pdf $doc/share/doc/bsc
|
||||||
|
'';
|
||||||
|
|
||||||
meta = {
|
meta = {
|
||||||
description = "Toolchain for the Bluespec Hardware Definition Language";
|
description = "Toolchain for the Bluespec Hardware Definition Language";
|
||||||
homepage = "https://github.com/B-Lang-org/bsc";
|
homepage = "https://github.com/B-Lang-org/bsc";
|
||||||
|
|
|
@ -2,11 +2,11 @@
|
||||||
|
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
name = "rubygems";
|
name = "rubygems";
|
||||||
version = "3.2.24";
|
version = "3.2.26";
|
||||||
|
|
||||||
src = fetchurl {
|
src = fetchurl {
|
||||||
url = "https://rubygems.org/rubygems/rubygems-${version}.tgz";
|
url = "https://rubygems.org/rubygems/rubygems-${version}.tgz";
|
||||||
sha256 = "09ff830a043y6s7390hsg3k55ffpifb1zsvs0dhz8z8pypwgiscl";
|
sha256 = "sha256-9wa6lOWnua8zBblQKRgjjiTVPYp2TW0n7XOvgW7u1e8=";
|
||||||
};
|
};
|
||||||
|
|
||||||
patches = [
|
patches = [
|
||||||
|
|
|
@ -1,4 +1,4 @@
|
||||||
{ lib, stdenv, fetchurl, meson, ninja, pkg-config, gettext, vala, glib, liboauth, gtk3
|
{ lib, stdenv, fetchurl, fetchpatch, meson, ninja, pkg-config, gettext, vala, glib, liboauth, gtk3
|
||||||
, gtk-doc, docbook_xsl, docbook_xml_dtd_43
|
, gtk-doc, docbook_xsl, docbook_xml_dtd_43
|
||||||
, libxml2, gnome, gobject-introspection, libsoup, totem-pl-parser }:
|
, libxml2, gnome, gobject-introspection, libsoup, totem-pl-parser }:
|
||||||
|
|
||||||
|
@ -16,6 +16,14 @@ in stdenv.mkDerivation rec {
|
||||||
sha256 = "0ywjvh7xw4ql1q4fvl0q5n06n08pga1g1nc9l7c3x5214gr3fj6i";
|
sha256 = "0ywjvh7xw4ql1q4fvl0q5n06n08pga1g1nc9l7c3x5214gr3fj6i";
|
||||||
};
|
};
|
||||||
|
|
||||||
|
patches = [
|
||||||
|
(fetchpatch {
|
||||||
|
name = "CVE-2021-39365.patch";
|
||||||
|
url = "https://gitlab.gnome.org/GNOME/grilo/-/commit/cd2472e506dafb1bb8ae510e34ad4797f63e263e.patch";
|
||||||
|
sha256 = "1i1p21vlms43iawg4dl1dibnpsbnkx27kcfvllnx76q07bfrpwzm";
|
||||||
|
})
|
||||||
|
];
|
||||||
|
|
||||||
setupHook = ./setup-hook.sh;
|
setupHook = ./setup-hook.sh;
|
||||||
|
|
||||||
mesonFlags = [
|
mesonFlags = [
|
||||||
|
|
|
@ -5,20 +5,17 @@
|
||||||
boost,
|
boost,
|
||||||
xercesc,
|
xercesc,
|
||||||
icu,
|
icu,
|
||||||
|
|
||||||
dos2unix,
|
|
||||||
fetchpatch,
|
|
||||||
}:
|
}:
|
||||||
|
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
pname = "libe57format";
|
pname = "libe57format";
|
||||||
version = "2.1";
|
version = "2.2.0";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "asmaloney";
|
owner = "asmaloney";
|
||||||
repo = "libE57Format";
|
repo = "libE57Format";
|
||||||
rev = "v${version}";
|
rev = "v${version}";
|
||||||
sha256 = "05z955q68wjbd9gc5fw32nqg69xc82n2x75j5vchxzkgnn3adcpi";
|
sha256 = "15l23spjvak5h3n7aj3ggy0c3cwcg8mvnc9jlbd9yc2ra43bx7bp";
|
||||||
};
|
};
|
||||||
|
|
||||||
nativeBuildInputs = [
|
nativeBuildInputs = [
|
||||||
|
@ -36,31 +33,6 @@ stdenv.mkDerivation rec {
|
||||||
xercesc
|
xercesc
|
||||||
];
|
];
|
||||||
|
|
||||||
# TODO: Remove CMake patching when https://github.com/asmaloney/libE57Format/pull/60 is available.
|
|
||||||
|
|
||||||
# GNU patch cannot patch `CMakeLists.txt` that has CRLF endings,
|
|
||||||
# see https://unix.stackexchange.com/questions/239364/how-to-fix-hunk-1-failed-at-1-different-line-endings-message/243748#243748
|
|
||||||
# so convert it first.
|
|
||||||
prePatch = ''
|
|
||||||
${dos2unix}/bin/dos2unix CMakeLists.txt
|
|
||||||
'';
|
|
||||||
patches = [
|
|
||||||
(fetchpatch {
|
|
||||||
name = "libE57Format-cmake-Fix-config-filename.patch";
|
|
||||||
url = "https://github.com/asmaloney/libE57Format/commit/279d8d6b60ee65fb276cdbeed74ac58770a286f9.patch";
|
|
||||||
sha256 = "0fbf92hs1c7yl169i7zlbaj9yhrd1yg3pjf0wsqjlh8mr5m6rp14";
|
|
||||||
})
|
|
||||||
];
|
|
||||||
# It appears that while the patch has
|
|
||||||
# diff --git a/cmake/E57Format-config.cmake b/cmake/e57format-config.cmake
|
|
||||||
# similarity index 100%
|
|
||||||
# rename from cmake/E57Format-config.cmake
|
|
||||||
# rename to cmake/e57format-config.cmake
|
|
||||||
# GNU patch doesn't interpret that.
|
|
||||||
postPatch = ''
|
|
||||||
mv cmake/E57Format-config.cmake cmake/e57format-config.cmake
|
|
||||||
'';
|
|
||||||
|
|
||||||
# The build system by default builds ONLY static libraries, and with
|
# The build system by default builds ONLY static libraries, and with
|
||||||
# `-DE57_BUILD_SHARED=ON` builds ONLY shared libraries, see:
|
# `-DE57_BUILD_SHARED=ON` builds ONLY shared libraries, see:
|
||||||
# https://github.com/asmaloney/libE57Format/issues/48
|
# https://github.com/asmaloney/libE57Format/issues/48
|
||||||
|
@ -79,7 +51,7 @@ stdenv.mkDerivation rec {
|
||||||
'';
|
'';
|
||||||
|
|
||||||
meta = with lib; {
|
meta = with lib; {
|
||||||
description = "Library for reading & writing the E57 file format (fork of E57RefImpl)";
|
description = "Library for reading & writing the E57 file format";
|
||||||
homepage = "https://github.com/asmaloney/libE57Format";
|
homepage = "https://github.com/asmaloney/libE57Format";
|
||||||
license = licenses.boost;
|
license = licenses.boost;
|
||||||
maintainers = with maintainers; [ chpatrick nh2 ];
|
maintainers = with maintainers; [ chpatrick nh2 ];
|
||||||
|
|
|
@ -1,12 +1,12 @@
|
||||||
{ lib, stdenv, fetchurl, perl }:
|
{ lib, stdenv, fetchurl, perl }:
|
||||||
|
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
version = "0.12.2";
|
version = "0.13.0";
|
||||||
pname = "liburcu";
|
pname = "liburcu";
|
||||||
|
|
||||||
src = fetchurl {
|
src = fetchurl {
|
||||||
url = "https://lttng.org/files/urcu/userspace-rcu-${version}.tar.bz2";
|
url = "https://lttng.org/files/urcu/userspace-rcu-${version}.tar.bz2";
|
||||||
sha256 = "sha256-Tu/BHk9sIS/H2E2HHhzBOdoGaaRv8/2lV6b91NdMpns=";
|
sha256 = "sha256-y7INvhqJLCpNiJi6xDFhduWFOSaT1Jh2bMu8aM8guiA=";
|
||||||
};
|
};
|
||||||
|
|
||||||
checkInputs = [ perl ];
|
checkInputs = [ perl ];
|
||||||
|
|
|
@ -127,6 +127,8 @@ let
|
||||||
callPackage = self.newScope { inherit qtCompatVersion qtModule srcs; };
|
callPackage = self.newScope { inherit qtCompatVersion qtModule srcs; };
|
||||||
in {
|
in {
|
||||||
|
|
||||||
|
inherit callPackage qtCompatVersion qtModule srcs;
|
||||||
|
|
||||||
mkDerivationWith =
|
mkDerivationWith =
|
||||||
import ../mkDerivation.nix
|
import ../mkDerivation.nix
|
||||||
{ inherit lib; inherit debug; inherit (self) wrapQtAppsHook; };
|
{ inherit lib; inherit debug; inherit (self) wrapQtAppsHook; };
|
||||||
|
@ -144,6 +146,7 @@ let
|
||||||
inherit (darwin) libobjc;
|
inherit (darwin) libobjc;
|
||||||
};
|
};
|
||||||
|
|
||||||
|
qt3d = callPackage ../modules/qt3d.nix {};
|
||||||
qtcharts = callPackage ../modules/qtcharts.nix {};
|
qtcharts = callPackage ../modules/qtcharts.nix {};
|
||||||
qtconnectivity = callPackage ../modules/qtconnectivity.nix {};
|
qtconnectivity = callPackage ../modules/qtconnectivity.nix {};
|
||||||
qtdeclarative = callPackage ../modules/qtdeclarative.nix {};
|
qtdeclarative = callPackage ../modules/qtdeclarative.nix {};
|
||||||
|
@ -192,7 +195,7 @@ let
|
||||||
|
|
||||||
env = callPackage ../qt-env.nix {};
|
env = callPackage ../qt-env.nix {};
|
||||||
full = env "qt-full-${qtbase.version}" ([
|
full = env "qt-full-${qtbase.version}" ([
|
||||||
qtcharts qtconnectivity qtdeclarative qtdoc qtgamepad qtgraphicaleffects
|
qt3d qtcharts qtconnectivity qtdeclarative qtdoc qtgamepad qtgraphicaleffects
|
||||||
qtimageformats qtlocation qtmultimedia qtquickcontrols qtquickcontrols2
|
qtimageformats qtlocation qtmultimedia qtquickcontrols qtquickcontrols2
|
||||||
qtscript qtsensors qtserialport qtsvg qttools qttranslations
|
qtscript qtsensors qtserialport qtsvg qttools qttranslations
|
||||||
qtvirtualkeyboard qtwebchannel qtwebengine qtwebkit qtwebsockets
|
qtvirtualkeyboard qtwebchannel qtwebengine qtwebkit qtwebsockets
|
||||||
|
|
|
@ -139,6 +139,8 @@ let
|
||||||
callPackage = self.newScope { inherit qtCompatVersion qtModule srcs; };
|
callPackage = self.newScope { inherit qtCompatVersion qtModule srcs; };
|
||||||
in {
|
in {
|
||||||
|
|
||||||
|
inherit callPackage qtCompatVersion qtModule srcs;
|
||||||
|
|
||||||
mkDerivationWith =
|
mkDerivationWith =
|
||||||
import ../mkDerivation.nix
|
import ../mkDerivation.nix
|
||||||
{ inherit lib; inherit debug; inherit (self) wrapQtAppsHook; };
|
{ inherit lib; inherit debug; inherit (self) wrapQtAppsHook; };
|
||||||
|
@ -156,6 +158,7 @@ let
|
||||||
inherit (darwin) libobjc;
|
inherit (darwin) libobjc;
|
||||||
};
|
};
|
||||||
|
|
||||||
|
qt3d = callPackage ../modules/qt3d.nix {};
|
||||||
qtcharts = callPackage ../modules/qtcharts.nix {};
|
qtcharts = callPackage ../modules/qtcharts.nix {};
|
||||||
qtconnectivity = callPackage ../modules/qtconnectivity.nix {};
|
qtconnectivity = callPackage ../modules/qtconnectivity.nix {};
|
||||||
qtdeclarative = callPackage ../modules/qtdeclarative.nix {};
|
qtdeclarative = callPackage ../modules/qtdeclarative.nix {};
|
||||||
|
@ -202,7 +205,7 @@ let
|
||||||
|
|
||||||
env = callPackage ../qt-env.nix {};
|
env = callPackage ../qt-env.nix {};
|
||||||
full = env "qt-full-${qtbase.version}" ([
|
full = env "qt-full-${qtbase.version}" ([
|
||||||
qtcharts qtconnectivity qtdeclarative qtdoc qtgraphicaleffects
|
qt3d qtcharts qtconnectivity qtdeclarative qtdoc qtgraphicaleffects
|
||||||
qtimageformats qtlocation qtmultimedia qtquickcontrols qtquickcontrols2
|
qtimageformats qtlocation qtmultimedia qtquickcontrols qtquickcontrols2
|
||||||
qtscript qtsensors qtserialport qtsvg qttools qttranslations
|
qtscript qtsensors qtserialport qtsvg qttools qttranslations
|
||||||
qtvirtualkeyboard qtwebchannel qtwebengine qtwebkit qtwebsockets
|
qtvirtualkeyboard qtwebchannel qtwebengine qtwebkit qtwebsockets
|
||||||
|
|
|
@ -165,6 +165,8 @@ let
|
||||||
callPackage = self.newScope { inherit qtCompatVersion qtModule srcs; };
|
callPackage = self.newScope { inherit qtCompatVersion qtModule srcs; };
|
||||||
in {
|
in {
|
||||||
|
|
||||||
|
inherit callPackage qtCompatVersion qtModule srcs;
|
||||||
|
|
||||||
mkDerivationWith =
|
mkDerivationWith =
|
||||||
import ../mkDerivation.nix
|
import ../mkDerivation.nix
|
||||||
{ inherit lib; inherit debug; inherit (self) wrapQtAppsHook; };
|
{ inherit lib; inherit debug; inherit (self) wrapQtAppsHook; };
|
||||||
|
@ -182,6 +184,7 @@ let
|
||||||
inherit (darwin) libobjc;
|
inherit (darwin) libobjc;
|
||||||
};
|
};
|
||||||
|
|
||||||
|
qt3d = callPackage ../modules/qt3d.nix {};
|
||||||
qtcharts = callPackage ../modules/qtcharts.nix {};
|
qtcharts = callPackage ../modules/qtcharts.nix {};
|
||||||
qtconnectivity = callPackage ../modules/qtconnectivity.nix {};
|
qtconnectivity = callPackage ../modules/qtconnectivity.nix {};
|
||||||
qtdeclarative = callPackage ../modules/qtdeclarative.nix {};
|
qtdeclarative = callPackage ../modules/qtdeclarative.nix {};
|
||||||
|
@ -231,7 +234,7 @@ let
|
||||||
|
|
||||||
env = callPackage ../qt-env.nix {};
|
env = callPackage ../qt-env.nix {};
|
||||||
full = env "qt-full-${qtbase.version}" ([
|
full = env "qt-full-${qtbase.version}" ([
|
||||||
qtcharts qtconnectivity qtdeclarative qtdoc qtgraphicaleffects
|
qt3d qtcharts qtconnectivity qtdeclarative qtdoc qtgraphicaleffects
|
||||||
qtimageformats qtlocation qtmultimedia qtquickcontrols qtquickcontrols2
|
qtimageformats qtlocation qtmultimedia qtquickcontrols qtquickcontrols2
|
||||||
qtscript qtsensors qtserialport qtsvg qttools qttranslations
|
qtscript qtsensors qtserialport qtsvg qttools qttranslations
|
||||||
qtvirtualkeyboard qtwebchannel qtwebengine qtwebkit qtwebsockets
|
qtvirtualkeyboard qtwebchannel qtwebengine qtwebkit qtwebsockets
|
||||||
|
|
7
pkgs/development/libraries/qt-5/modules/qt3d.nix
Normal file
7
pkgs/development/libraries/qt-5/modules/qt3d.nix
Normal file
|
@ -0,0 +1,7 @@
|
||||||
|
{ qtModule, qtbase, qtdeclarative }:
|
||||||
|
|
||||||
|
qtModule {
|
||||||
|
pname = "qt3d";
|
||||||
|
qtInputs = [ qtbase qtdeclarative ];
|
||||||
|
outputs = [ "out" "dev" "bin" ];
|
||||||
|
}
|
|
@ -2,11 +2,11 @@
|
||||||
|
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
pname = "tclap";
|
pname = "tclap";
|
||||||
version = "1.2.3";
|
version = "1.2.4";
|
||||||
|
|
||||||
src = fetchurl {
|
src = fetchurl {
|
||||||
url = "mirror://sourceforge/tclap/${pname}-${version}.tar.gz";
|
url = "mirror://sourceforge/tclap/${pname}-${version}.tar.gz";
|
||||||
sha256 = "sha256-GefbUoFUDxVDSHcLw6dIRXX09Umu+OAKq8yUs5X3c8k=";
|
sha256 = "sha256-Y0xbWduxzLydal9t5JSiV+KaP1nctvwwRF/zm0UYhXQ=";
|
||||||
};
|
};
|
||||||
|
|
||||||
meta = with lib; {
|
meta = with lib; {
|
||||||
|
|
|
@ -22,12 +22,15 @@ stdenv.mkDerivation rec {
|
||||||
};
|
};
|
||||||
|
|
||||||
nativeBuildInputs = [
|
nativeBuildInputs = [
|
||||||
glib
|
|
||||||
meson
|
meson
|
||||||
ninja
|
ninja
|
||||||
pkg-config
|
pkg-config
|
||||||
];
|
];
|
||||||
|
|
||||||
|
buildInputs = [
|
||||||
|
glib
|
||||||
|
];
|
||||||
|
|
||||||
propagatedBuildInputs = [
|
propagatedBuildInputs = [
|
||||||
libusb1
|
libusb1
|
||||||
];
|
];
|
||||||
|
|
|
@ -56,5 +56,8 @@ stdenv.mkDerivation {
|
||||||
platforms = ocaml.meta.platforms or [];
|
platforms = ocaml.meta.platforms or [];
|
||||||
license = licenses.bsd3;
|
license = licenses.bsd3;
|
||||||
maintainers = [ maintainers.vbgl ];
|
maintainers = [ maintainers.vbgl ];
|
||||||
|
# See https://github.com/dbuenzli/uunf/issues/15#issuecomment-903151264
|
||||||
|
broken = lib.versions.majorMinor ocaml.version == "4.08"
|
||||||
|
&& stdenv.hostPlatform.isAarch64;
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|
|
@ -6,14 +6,14 @@
|
||||||
|
|
||||||
buildPythonPackage rec {
|
buildPythonPackage rec {
|
||||||
pname = "coqpit";
|
pname = "coqpit";
|
||||||
version = "0.0.10";
|
version = "0.0.13";
|
||||||
format = "setuptools";
|
format = "setuptools";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "coqui-ai";
|
owner = "coqui-ai";
|
||||||
repo = pname;
|
repo = pname;
|
||||||
rev = "v${version}";
|
rev = "v${version}";
|
||||||
sha256 = "1gcj5sffcmlvhhk6wbvmxppjpckb90q1avc07jbnb1vvrb2h9lr0";
|
sha256 = "sha256-YzCO/i0SMyXRAgiZ8Y97bHHuGFeSF8GqUjvNoHLwXZQ=";
|
||||||
};
|
};
|
||||||
|
|
||||||
checkInputs = [
|
checkInputs = [
|
||||||
|
|
|
@ -9,13 +9,13 @@
|
||||||
|
|
||||||
buildPythonPackage rec {
|
buildPythonPackage rec {
|
||||||
pname = "karton-dashboard";
|
pname = "karton-dashboard";
|
||||||
version = "1.2.0";
|
version = "1.2.1";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "CERT-Polska";
|
owner = "CERT-Polska";
|
||||||
repo = pname;
|
repo = pname;
|
||||||
rev = "v${version}";
|
rev = "v${version}";
|
||||||
sha256 = "0qygv9lkd1jad5b4l0zz6hsi7m8q0fmpwaa6hpp7p9x6ql7gnyl8";
|
sha256 = "sha256-C1wtpHyuTlNS6Se1rR0RGUl3xht4aphAtddKlIsOAkI=";
|
||||||
};
|
};
|
||||||
|
|
||||||
propagatedBuildInputs = [
|
propagatedBuildInputs = [
|
||||||
|
|
|
@ -11,7 +11,7 @@
|
||||||
|
|
||||||
buildPythonPackage rec {
|
buildPythonPackage rec {
|
||||||
pname = "ntc-templates";
|
pname = "ntc-templates";
|
||||||
version = "2.3.0";
|
version = "2.3.1";
|
||||||
format = "pyproject";
|
format = "pyproject";
|
||||||
disabled = isPy27;
|
disabled = isPy27;
|
||||||
|
|
||||||
|
@ -19,7 +19,7 @@ buildPythonPackage rec {
|
||||||
owner = "networktocode";
|
owner = "networktocode";
|
||||||
repo = pname;
|
repo = pname;
|
||||||
rev = "v${version}";
|
rev = "v${version}";
|
||||||
sha256 = "1a9v2j9s7niyacglhgp58zg1wcynakacz9zg4zcv2q85hb87m2m9";
|
sha256 = "0s4my422cdmjfz787a7697938qfnllxwx004jfp3a8alzw2h30g1";
|
||||||
};
|
};
|
||||||
|
|
||||||
nativeBuildInputs = [
|
nativeBuildInputs = [
|
||||||
|
|
|
@ -8,12 +8,12 @@
|
||||||
|
|
||||||
buildPythonPackage rec {
|
buildPythonPackage rec {
|
||||||
pname = "pg8000";
|
pname = "pg8000";
|
||||||
version = "1.21.0";
|
version = "1.21.1";
|
||||||
disabled = pythonOlder "3.6";
|
disabled = pythonOlder "3.6";
|
||||||
|
|
||||||
src = fetchPypi {
|
src = fetchPypi {
|
||||||
inherit pname version;
|
inherit pname version;
|
||||||
sha256 = "1msj0vk14fbsis8yfk0my1ygpcli9jz3ivwdi9k6ii5i6330i4f9";
|
sha256 = "sha256-HMvuyTtw4uhTLfOr3caQXHghkJyW3Oqu91G1fFKRhpo=";
|
||||||
};
|
};
|
||||||
|
|
||||||
propagatedBuildInputs = [
|
propagatedBuildInputs = [
|
||||||
|
|
|
@ -8,14 +8,14 @@
|
||||||
|
|
||||||
buildPythonPackage rec {
|
buildPythonPackage rec {
|
||||||
pname = "pyupgrade";
|
pname = "pyupgrade";
|
||||||
version = "2.24.0";
|
version = "2.25.0";
|
||||||
disabled = pythonOlder "3.6";
|
disabled = pythonOlder "3.6";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "asottile";
|
owner = "asottile";
|
||||||
repo = pname;
|
repo = pname;
|
||||||
rev = "v${version}";
|
rev = "v${version}";
|
||||||
sha256 = "sha256-vWju0D5O3RtDiv9uYQqd9kEwTIcV9QTHYXM/icB/rM0=";
|
sha256 = "0mbx5gv6ns896mxzml8q9r9dn5wvnrb7gc5iw49fdwbb0yw9yhyx";
|
||||||
};
|
};
|
||||||
|
|
||||||
checkInputs = [ pytestCheckHook ];
|
checkInputs = [ pytestCheckHook ];
|
||||||
|
|
|
@ -2,23 +2,32 @@
|
||||||
, asn1crypto
|
, asn1crypto
|
||||||
, buildPythonPackage
|
, buildPythonPackage
|
||||||
, fetchFromGitHub
|
, fetchFromGitHub
|
||||||
|
, pytest-mock
|
||||||
, pytestCheckHook
|
, pytestCheckHook
|
||||||
|
, pythonOlder
|
||||||
}:
|
}:
|
||||||
|
|
||||||
buildPythonPackage rec {
|
buildPythonPackage rec {
|
||||||
pname = "scramp";
|
pname = "scramp";
|
||||||
version = "1.4.0";
|
version = "1.4.1";
|
||||||
|
|
||||||
|
disabled = pythonOlder "3.6";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "tlocke";
|
owner = "tlocke";
|
||||||
repo = "scramp";
|
repo = "scramp";
|
||||||
rev = version;
|
rev = version;
|
||||||
sha256 = "sha256-aXuRIW/3qBzan8z3EzSSxqaZfa3WnPhlviNa2ugIjik=";
|
sha256 = "sha256-HEt2QxNHX9Oqx+o0++ZtS61SVHra3nLAqv7NbQWVV+E=";
|
||||||
};
|
};
|
||||||
|
|
||||||
propagatedBuildInputs = [ asn1crypto ];
|
propagatedBuildInputs = [
|
||||||
|
asn1crypto
|
||||||
|
];
|
||||||
|
|
||||||
checkInputs = [ pytestCheckHook ];
|
checkInputs = [
|
||||||
|
pytest-mock
|
||||||
|
pytestCheckHook
|
||||||
|
];
|
||||||
|
|
||||||
pythonImportsCheck = [ "scramp" ];
|
pythonImportsCheck = [ "scramp" ];
|
||||||
|
|
||||||
|
|
2
pkgs/development/r-modules/cran-packages.nix
generated
2
pkgs/development/r-modules/cran-packages.nix
generated
|
@ -10268,7 +10268,7 @@ in with self; {
|
||||||
implicitMeasures = derive2 { name="implicitMeasures"; version="0.2.0"; sha256="0w0dwnzfhw5v5j7q3zpfsca4ydmq7b9fzspvyf9sibyh587isb9c"; depends=[ggplot2 stringr tidyr xtable]; };
|
implicitMeasures = derive2 { name="implicitMeasures"; version="0.2.0"; sha256="0w0dwnzfhw5v5j7q3zpfsca4ydmq7b9fzspvyf9sibyh587isb9c"; depends=[ggplot2 stringr tidyr xtable]; };
|
||||||
implied = derive2 { name="implied"; version="0.3.1"; sha256="11mrvpsh9qc5a5s5mpbsksri6vx36ij1gvpli6lyz6dkg48a9kdn"; depends=[]; };
|
implied = derive2 { name="implied"; version="0.3.1"; sha256="11mrvpsh9qc5a5s5mpbsksri6vx36ij1gvpli6lyz6dkg48a9kdn"; depends=[]; };
|
||||||
implyr = derive2 { name="implyr"; version="0.4.0"; sha256="0rblsmx1z2n4g3fims5wa3wyf5znr0gkwd2yfz3130bcm6346da0"; depends=[assertthat DBI dbplyr dplyr rlang tidyselect]; };
|
implyr = derive2 { name="implyr"; version="0.4.0"; sha256="0rblsmx1z2n4g3fims5wa3wyf5znr0gkwd2yfz3130bcm6346da0"; depends=[assertthat DBI dbplyr dplyr rlang tidyselect]; };
|
||||||
r_import = derive2 { name="r_import"; version="1.2.0"; sha256="018s0x224gqnv4cjfh0fwliyfg6ma9vslmwybrlizfsmqcc5wp37"; depends=[]; };
|
r_import = derive2 { name="import"; version="1.2.0"; sha256="018s0x224gqnv4cjfh0fwliyfg6ma9vslmwybrlizfsmqcc5wp37"; depends=[]; };
|
||||||
importar = derive2 { name="importar"; version="0.1.1"; sha256="0xv445fmjhsbdlsq03k2rlycnggn3rcyq5a49zrg4jvjamzr0rgr"; depends=[]; };
|
importar = derive2 { name="importar"; version="0.1.1"; sha256="0xv445fmjhsbdlsq03k2rlycnggn3rcyq5a49zrg4jvjamzr0rgr"; depends=[]; };
|
||||||
importinegi = derive2 { name="importinegi"; version="1.1.3"; sha256="1r0p01mc9wb24ifldn3dmi0fqxwkp0290h0qrgr72grd34v2xszc"; depends=[data_table dplyr foreign haven rgdal]; };
|
importinegi = derive2 { name="importinegi"; version="1.1.3"; sha256="1r0p01mc9wb24ifldn3dmi0fqxwkp0290h0qrgr72grd34v2xszc"; depends=[data_table dplyr foreign haven rgdal]; };
|
||||||
impressionist_colors = derive2 { name="impressionist.colors"; version="1.0"; sha256="03z5w7y7vbvlnn30r9y3ip93h364f87nhwdb9hcki26csiq2bnlv"; depends=[]; };
|
impressionist_colors = derive2 { name="impressionist.colors"; version="1.0"; sha256="03z5w7y7vbvlnn30r9y3ip93h364f87nhwdb9hcki26csiq2bnlv"; depends=[]; };
|
||||||
|
|
|
@ -237,54 +237,56 @@ let
|
||||||
audio = [ pkgs.portaudio ];
|
audio = [ pkgs.portaudio ];
|
||||||
BayesSAE = [ pkgs.gsl_1 ];
|
BayesSAE = [ pkgs.gsl_1 ];
|
||||||
BayesVarSel = [ pkgs.gsl_1 ];
|
BayesVarSel = [ pkgs.gsl_1 ];
|
||||||
BayesXsrc = [ pkgs.readline.dev pkgs.ncurses ];
|
BayesXsrc = with pkgs; [ readline.dev ncurses ];
|
||||||
bigGP = [ pkgs.mpi ];
|
bigGP = [ pkgs.mpi ];
|
||||||
bio3d = [ pkgs.zlib ];
|
bio3d = [ pkgs.zlib ];
|
||||||
BiocCheck = [ pkgs.which ];
|
BiocCheck = [ pkgs.which ];
|
||||||
Biostrings = [ pkgs.zlib ];
|
Biostrings = [ pkgs.zlib ];
|
||||||
bnpmr = [ pkgs.gsl_1 ];
|
bnpmr = [ pkgs.gsl_1 ];
|
||||||
cairoDevice = [ pkgs.gtk2.dev ];
|
cairoDevice = [ pkgs.gtk2.dev ];
|
||||||
Cairo = [ pkgs.libtiff pkgs.libjpeg pkgs.cairo.dev pkgs.x11 pkgs.fontconfig.lib ];
|
Cairo = with pkgs; [ libtiff libjpeg cairo.dev x11 fontconfig.lib ];
|
||||||
Cardinal = [ pkgs.which ];
|
Cardinal = [ pkgs.which ];
|
||||||
chebpol = [ pkgs.fftw ];
|
chebpol = [ pkgs.fftw ];
|
||||||
ChemmineOB = [ pkgs.openbabel pkgs.pkg-config ];
|
ChemmineOB = with pkgs; [ openbabel pkg-config ];
|
||||||
curl = [ pkgs.curl.dev ];
|
curl = [ pkgs.curl.dev ];
|
||||||
data_table = [pkgs.zlib.dev] ++ lib.optional stdenv.isDarwin pkgs.llvmPackages.openmp;
|
data_table = [ pkgs.zlib.dev ] ++ lib.optional stdenv.isDarwin pkgs.llvmPackages.openmp;
|
||||||
devEMF = [ pkgs.xorg.libXft.dev pkgs.x11 ];
|
devEMF = with pkgs; [ xorg.libXft.dev x11 ];
|
||||||
diversitree = [ pkgs.gsl_1 pkgs.fftw ];
|
diversitree = with pkgs; [ gsl_1 fftw ];
|
||||||
|
exactextractr = [ pkgs.geos ];
|
||||||
EMCluster = [ pkgs.lapack ];
|
EMCluster = [ pkgs.lapack ];
|
||||||
fftw = [ pkgs.fftw.dev ];
|
fftw = [ pkgs.fftw.dev ];
|
||||||
fftwtools = [ pkgs.fftw.dev ];
|
fftwtools = with pkgs; [ fftw.dev pkg-config ];
|
||||||
Formula = [ pkgs.gmp ];
|
Formula = [ pkgs.gmp ];
|
||||||
gdtools = [ pkgs.cairo.dev pkgs.fontconfig.lib pkgs.freetype.dev ];
|
gdtools = with pkgs; [ cairo.dev fontconfig.lib freetype.dev ];
|
||||||
git2r = [ pkgs.zlib.dev pkgs.openssl.dev pkgs.libssh2.dev pkgs.libgit2 pkgs.pkg-config ];
|
git2r = with pkgs; [ zlib.dev openssl.dev libssh2.dev libgit2 pkg-config ];
|
||||||
GLAD = [ pkgs.gsl_1 ];
|
GLAD = [ pkgs.gsl_1 ];
|
||||||
glpkAPI = [ pkgs.gmp pkgs.glpk ];
|
glpkAPI = with pkgs; [ gmp glpk ];
|
||||||
gmp = [ pkgs.gmp.dev ];
|
gmp = [ pkgs.gmp.dev ];
|
||||||
graphscan = [ pkgs.gsl_1 ];
|
graphscan = [ pkgs.gsl_1 ];
|
||||||
gsl = [ pkgs.gsl_1 ];
|
gsl = [ pkgs.gsl_1 ];
|
||||||
gert = [ pkgs.libgit2 ];
|
gert = [ pkgs.libgit2 ];
|
||||||
haven = [ pkgs.libiconv pkgs.zlib.dev ];
|
haven = with pkgs; [ libiconv zlib.dev ];
|
||||||
h5vc = [ pkgs.zlib.dev ];
|
h5vc = [ pkgs.zlib.dev ];
|
||||||
HiCseg = [ pkgs.gsl_1 ];
|
HiCseg = [ pkgs.gsl_1 ];
|
||||||
imager = [ pkgs.x11 ];
|
imager = [ pkgs.x11 ];
|
||||||
iBMQ = [ pkgs.gsl_1 ];
|
iBMQ = [ pkgs.gsl_1 ];
|
||||||
igraph = [ pkgs.gmp pkgs.libxml2.dev ];
|
igraph = with pkgs; [ gmp libxml2.dev ];
|
||||||
JavaGD = [ pkgs.jdk ];
|
JavaGD = [ pkgs.jdk ];
|
||||||
jpeg = [ pkgs.libjpeg.dev ];
|
jpeg = [ pkgs.libjpeg.dev ];
|
||||||
jqr = [ pkgs.jq.dev ];
|
jqr = [ pkgs.jq.dev ];
|
||||||
KFKSDS = [ pkgs.gsl_1 ];
|
KFKSDS = [ pkgs.gsl_1 ];
|
||||||
kza = [ pkgs.fftw.dev ];
|
kza = [ pkgs.fftw.dev ];
|
||||||
lwgeom = [ pkgs.gdal pkgs.geos pkgs.proj ];
|
lpsymphony = with pkgs; [ pkg-config gfortran gettext ];
|
||||||
|
lwgeom = with pkgs; [ proj geos gdal ];
|
||||||
magick = [ pkgs.imagemagick.dev ];
|
magick = [ pkgs.imagemagick.dev ];
|
||||||
ModelMetrics = lib.optional stdenv.isDarwin pkgs.llvmPackages.openmp;
|
ModelMetrics = lib.optional stdenv.isDarwin pkgs.llvmPackages.openmp;
|
||||||
mvabund = [ pkgs.gsl_1 ];
|
mvabund = [ pkgs.gsl_1 ];
|
||||||
mwaved = [ pkgs.fftw.dev ];
|
mwaved = [ pkgs.fftw.dev ];
|
||||||
ncdf4 = [ pkgs.netcdf ];
|
ncdf4 = [ pkgs.netcdf ];
|
||||||
nloptr = [ pkgs.nlopt pkgs.pkg-config ];
|
nloptr = with pkgs; [ nlopt pkg-config ];
|
||||||
n1qn1 = [ pkgs.gfortran ];
|
n1qn1 = [ pkgs.gfortran ];
|
||||||
odbc = [ pkgs.unixODBC ];
|
odbc = [ pkgs.unixODBC ];
|
||||||
pander = [ pkgs.pandoc pkgs.which ];
|
pander = with pkgs; [ pandoc which ];
|
||||||
pbdMPI = [ pkgs.mpi ];
|
pbdMPI = [ pkgs.mpi ];
|
||||||
pbdPROF = [ pkgs.mpi ];
|
pbdPROF = [ pkgs.mpi ];
|
||||||
pbdZMQ = lib.optionals stdenv.isDarwin [ pkgs.which ];
|
pbdZMQ = lib.optionals stdenv.isDarwin [ pkgs.which ];
|
||||||
|
@ -294,7 +296,7 @@ let
|
||||||
png = [ pkgs.libpng.dev ];
|
png = [ pkgs.libpng.dev ];
|
||||||
proj4 = [ pkgs.proj ];
|
proj4 = [ pkgs.proj ];
|
||||||
protolite = [ pkgs.protobuf ];
|
protolite = [ pkgs.protobuf ];
|
||||||
R2SWF = [ pkgs.zlib pkgs.libpng pkgs.freetype.dev ];
|
R2SWF = with pkgs; [ zlib libpng freetype.dev ];
|
||||||
RAppArmor = [ pkgs.libapparmor ];
|
RAppArmor = [ pkgs.libapparmor ];
|
||||||
rapportools = [ pkgs.which ];
|
rapportools = [ pkgs.which ];
|
||||||
rapport = [ pkgs.which ];
|
rapport = [ pkgs.which ];
|
||||||
|
@ -304,42 +306,43 @@ let
|
||||||
RcppGSL = [ pkgs.gsl_1 ];
|
RcppGSL = [ pkgs.gsl_1 ];
|
||||||
RcppZiggurat = [ pkgs.gsl_1 ];
|
RcppZiggurat = [ pkgs.gsl_1 ];
|
||||||
reprex = [ pkgs.which ];
|
reprex = [ pkgs.which ];
|
||||||
rgdal = [ pkgs.proj.dev pkgs.gdal ];
|
rgdal = with pkgs; [ proj.dev gdal ];
|
||||||
rgeos = [ pkgs.geos ];
|
rgeos = [ pkgs.geos ];
|
||||||
Rglpk = [ pkgs.glpk ];
|
Rglpk = [ pkgs.glpk ];
|
||||||
RGtk2 = [ pkgs.gtk2.dev ];
|
RGtk2 = [ pkgs.gtk2.dev ];
|
||||||
rhdf5 = [ pkgs.zlib ];
|
rhdf5 = [ pkgs.zlib ];
|
||||||
Rhdf5lib = [ pkgs.zlib.dev ];
|
Rhdf5lib = [ pkgs.zlib.dev ];
|
||||||
Rhpc = [ pkgs.zlib pkgs.bzip2.dev pkgs.icu pkgs.xz.dev pkgs.mpi pkgs.pcre.dev ];
|
Rhpc = with pkgs; [ zlib bzip2.dev icu xz.dev mpi pcre.dev ];
|
||||||
Rhtslib = [ pkgs.zlib.dev pkgs.automake pkgs.autoconf pkgs.bzip2.dev pkgs.xz.dev pkgs.curl.dev ];
|
Rhtslib = with pkgs; [ zlib.dev automake autoconf bzip2.dev xz.dev curl.dev ];
|
||||||
rjags = [ pkgs.jags ];
|
rjags = [ pkgs.jags ];
|
||||||
rJava = [ pkgs.zlib pkgs.bzip2.dev pkgs.icu pkgs.xz.dev pkgs.pcre.dev pkgs.jdk pkgs.libzip ];
|
rJava = with pkgs; [ zlib bzip2.dev icu xz.dev pcre.dev jdk libzip ];
|
||||||
Rlibeemd = [ pkgs.gsl_1 ];
|
Rlibeemd = [ pkgs.gsl_1 ];
|
||||||
rmatio = [ pkgs.zlib.dev ];
|
rmatio = [ pkgs.zlib.dev ];
|
||||||
Rmpfr = [ pkgs.gmp pkgs.mpfr.dev ];
|
Rmpfr = with pkgs; [ gmp mpfr.dev ];
|
||||||
Rmpi = [ pkgs.mpi ];
|
Rmpi = [ pkgs.mpi ];
|
||||||
RMySQL = [ pkgs.zlib pkgs.libmysqlclient pkgs.openssl.dev ];
|
RMySQL = with pkgs; [ zlib libmysqlclient openssl.dev ];
|
||||||
RNetCDF = [ pkgs.netcdf pkgs.udunits ];
|
RNetCDF = with pkgs; [ netcdf udunits ];
|
||||||
RODBC = [ pkgs.libiodbc ];
|
RODBC = [ pkgs.libiodbc ];
|
||||||
rpanel = [ pkgs.bwidget ];
|
rpanel = [ pkgs.bwidget ];
|
||||||
Rpoppler = [ pkgs.poppler ];
|
Rpoppler = [ pkgs.poppler ];
|
||||||
RPostgreSQL = [ pkgs.postgresql pkgs.postgresql ];
|
RPostgreSQL = with pkgs; [ postgresql postgresql ];
|
||||||
RProtoBuf = [ pkgs.protobuf ];
|
RProtoBuf = [ pkgs.protobuf ];
|
||||||
RSclient = [ pkgs.openssl.dev ];
|
RSclient = [ pkgs.openssl.dev ];
|
||||||
Rserve = [ pkgs.openssl ];
|
Rserve = [ pkgs.openssl ];
|
||||||
Rssa = [ pkgs.fftw.dev ];
|
Rssa = [ pkgs.fftw.dev ];
|
||||||
rsvg = [ pkgs.pkg-config ];
|
rsvg = [ pkgs.pkg-config ];
|
||||||
runjags = [ pkgs.jags ];
|
runjags = [ pkgs.jags ];
|
||||||
RVowpalWabbit = [ pkgs.zlib.dev pkgs.boost ];
|
RVowpalWabbit = with pkgs; [ zlib.dev boost ];
|
||||||
rzmq = [ pkgs.zeromq pkgs.pkg-config ];
|
rzmq = with pkgs; [ zeromq pkg-config ];
|
||||||
clustermq = [ pkgs.zeromq ];
|
clustermq = [ pkgs.zeromq ];
|
||||||
SAVE = [ pkgs.zlib pkgs.bzip2 pkgs.icu pkgs.xz pkgs.pcre ];
|
SAVE = with pkgs; [ zlib bzip2 icu xz pcre ];
|
||||||
sdcTable = [ pkgs.gmp pkgs.glpk ];
|
sdcTable = with pkgs; [ gmp glpk ];
|
||||||
seewave = [ pkgs.fftw.dev pkgs.libsndfile.dev ];
|
seewave = with pkgs; [ fftw.dev libsndfile.dev ];
|
||||||
seqinr = [ pkgs.zlib.dev ];
|
seqinr = [ pkgs.zlib.dev ];
|
||||||
seqminer = [ pkgs.zlib.dev pkgs.bzip2 ];
|
seqminer = with pkgs; [ zlib.dev bzip2 ];
|
||||||
sf = [ pkgs.gdal pkgs.proj pkgs.geos ];
|
sf = with pkgs; [ gdal proj geos ];
|
||||||
showtext = [ pkgs.zlib pkgs.libpng pkgs.icu pkgs.freetype.dev ];
|
terra = with pkgs; [ gdal proj geos ];
|
||||||
|
showtext = with pkgs; [ zlib libpng icu freetype.dev ];
|
||||||
simplexreg = [ pkgs.gsl_1 ];
|
simplexreg = [ pkgs.gsl_1 ];
|
||||||
spate = [ pkgs.fftw.dev ];
|
spate = [ pkgs.fftw.dev ];
|
||||||
ssanv = [ pkgs.proj ];
|
ssanv = [ pkgs.proj ];
|
||||||
|
@ -347,19 +350,19 @@ let
|
||||||
stringi = [ pkgs.icu.dev ];
|
stringi = [ pkgs.icu.dev ];
|
||||||
survSNP = [ pkgs.gsl_1 ];
|
survSNP = [ pkgs.gsl_1 ];
|
||||||
svglite = [ pkgs.libpng.dev ];
|
svglite = [ pkgs.libpng.dev ];
|
||||||
sysfonts = [ pkgs.zlib pkgs.libpng pkgs.freetype.dev ];
|
sysfonts = with pkgs; [ zlib libpng freetype.dev ];
|
||||||
systemfonts = [ pkgs.fontconfig.dev pkgs.freetype.dev ];
|
systemfonts = with pkgs; [ fontconfig.dev freetype.dev ];
|
||||||
TAQMNGR = [ pkgs.zlib.dev ];
|
TAQMNGR = [ pkgs.zlib.dev ];
|
||||||
tesseract = [ pkgs.tesseract pkgs.leptonica ];
|
tesseract = with pkgs; [ tesseract leptonica ];
|
||||||
tiff = [ pkgs.libtiff.dev ];
|
tiff = [ pkgs.libtiff.dev ];
|
||||||
tkrplot = [ pkgs.xorg.libX11 pkgs.tk.dev ];
|
tkrplot = with pkgs; [ xorg.libX11 tk.dev ];
|
||||||
topicmodels = [ pkgs.gsl_1 ];
|
topicmodels = [ pkgs.gsl_1 ];
|
||||||
udunits2 = [ pkgs.udunits pkgs.expat ];
|
udunits2 = with pkgs; [ udunits expat ];
|
||||||
units = [ pkgs.udunits ];
|
units = [ pkgs.udunits ];
|
||||||
V8 = [ pkgs.v8 ];
|
V8 = [ pkgs.v8 ];
|
||||||
XBRL = [ pkgs.zlib pkgs.libxml2.dev ];
|
XBRL = with pkgs; [ zlib libxml2.dev ];
|
||||||
xml2 = [ pkgs.libxml2.dev ] ++ lib.optionals stdenv.isDarwin [ pkgs.perl ];
|
xml2 = [ pkgs.libxml2.dev ] ++ lib.optionals stdenv.isDarwin [ pkgs.perl ];
|
||||||
XML = [ pkgs.libtool pkgs.libxml2.dev pkgs.xmlsec pkgs.libxslt ];
|
XML = with pkgs; [ libtool libxml2.dev xmlsec libxslt ];
|
||||||
affyPLM = [ pkgs.zlib.dev ];
|
affyPLM = [ pkgs.zlib.dev ];
|
||||||
bamsignals = [ pkgs.zlib.dev ];
|
bamsignals = [ pkgs.zlib.dev ];
|
||||||
BitSeq = [ pkgs.zlib.dev ];
|
BitSeq = [ pkgs.zlib.dev ];
|
||||||
|
@ -369,10 +372,10 @@ let
|
||||||
gmapR = [ pkgs.zlib.dev ];
|
gmapR = [ pkgs.zlib.dev ];
|
||||||
Rsubread = [ pkgs.zlib.dev ];
|
Rsubread = [ pkgs.zlib.dev ];
|
||||||
XVector = [ pkgs.zlib.dev ];
|
XVector = [ pkgs.zlib.dev ];
|
||||||
Rsamtools = [ pkgs.zlib.dev pkgs.curl.dev ];
|
Rsamtools = with pkgs; [ zlib.dev curl.dev ];
|
||||||
rtracklayer = [ pkgs.zlib.dev ];
|
rtracklayer = [ pkgs.zlib.dev ];
|
||||||
affyio = [ pkgs.zlib.dev ];
|
affyio = [ pkgs.zlib.dev ];
|
||||||
VariantAnnotation = [ pkgs.zlib.dev pkgs.curl.dev ];
|
VariantAnnotation = with pkgs; [ zlib.dev curl.dev ];
|
||||||
snpStats = [ pkgs.zlib.dev ];
|
snpStats = [ pkgs.zlib.dev ];
|
||||||
hdf5r = [ pkgs.hdf5.dev ];
|
hdf5r = [ pkgs.hdf5.dev ];
|
||||||
};
|
};
|
||||||
|
@ -396,7 +399,7 @@ let
|
||||||
RcppEigen = [ pkgs.libiconv ];
|
RcppEigen = [ pkgs.libiconv ];
|
||||||
RCurl = [ pkgs.curl.dev ];
|
RCurl = [ pkgs.curl.dev ];
|
||||||
R2SWF = [ pkgs.pkg-config ];
|
R2SWF = [ pkgs.pkg-config ];
|
||||||
rgl = [ pkgs.libGLU pkgs.libGLU.dev pkgs.libGL pkgs.xlibsWrapper ];
|
rgl = with pkgs; [ libGLU libGLU.dev libGL xlibsWrapper ];
|
||||||
RGtk2 = [ pkgs.pkg-config ];
|
RGtk2 = [ pkgs.pkg-config ];
|
||||||
RProtoBuf = [ pkgs.pkg-config ];
|
RProtoBuf = [ pkgs.pkg-config ];
|
||||||
Rpoppler = [ pkgs.pkg-config ];
|
Rpoppler = [ pkgs.pkg-config ];
|
||||||
|
@ -407,13 +410,14 @@ let
|
||||||
gdtools = [ pkgs.pkg-config ];
|
gdtools = [ pkgs.pkg-config ];
|
||||||
jqr = [ pkgs.jq.lib ];
|
jqr = [ pkgs.jq.lib ];
|
||||||
kza = [ pkgs.pkg-config ];
|
kza = [ pkgs.pkg-config ];
|
||||||
lwgeom = [ pkgs.pkg-config pkgs.proj.dev pkgs.sqlite.dev ];
|
lwgeom = with pkgs; [ pkg-config proj.dev sqlite.dev ];
|
||||||
magick = [ pkgs.pkg-config ];
|
magick = [ pkgs.pkg-config ];
|
||||||
mwaved = [ pkgs.pkg-config ];
|
mwaved = [ pkgs.pkg-config ];
|
||||||
odbc = [ pkgs.pkg-config ];
|
odbc = [ pkgs.pkg-config ];
|
||||||
openssl = [ pkgs.pkg-config ];
|
openssl = [ pkgs.pkg-config ];
|
||||||
pdftools = [ pkgs.pkg-config ];
|
pdftools = [ pkgs.pkg-config ];
|
||||||
sf = [ pkgs.pkg-config pkgs.sqlite.dev pkgs.proj.dev ];
|
sf = with pkgs; [ pkg-config sqlite.dev proj.dev ];
|
||||||
|
terra = with pkgs; [ pkg-config sqlite.dev proj.dev ];
|
||||||
showtext = [ pkgs.pkg-config ];
|
showtext = [ pkgs.pkg-config ];
|
||||||
spate = [ pkgs.pkg-config ];
|
spate = [ pkgs.pkg-config ];
|
||||||
stringi = [ pkgs.pkg-config ];
|
stringi = [ pkgs.pkg-config ];
|
||||||
|
@ -426,11 +430,11 @@ let
|
||||||
mashr = [ pkgs.gsl ];
|
mashr = [ pkgs.gsl ];
|
||||||
hadron = [ pkgs.gsl ];
|
hadron = [ pkgs.gsl ];
|
||||||
AMOUNTAIN = [ pkgs.gsl ];
|
AMOUNTAIN = [ pkgs.gsl ];
|
||||||
Rsymphony = [ pkgs.pkg-config pkgs.doxygen pkgs.graphviz pkgs.subversion ];
|
Rsymphony = with pkgs; [ pkg-config doxygen graphviz subversion ];
|
||||||
tcltk2 = [ pkgs.tcl pkgs.tk ];
|
tcltk2 = with pkgs; [ tcl tk ];
|
||||||
tikzDevice = [ pkgs.which pkgs.texlive.combined.scheme-medium ];
|
tikzDevice = with pkgs; [ which texlive.combined.scheme-medium ];
|
||||||
gridGraphics = [ pkgs.which ];
|
gridGraphics = [ pkgs.which ];
|
||||||
adimpro = [ pkgs.which pkgs.xorg.xdpyinfo ];
|
adimpro = with pkgs; [ which xorg.xdpyinfo ];
|
||||||
mzR = [ pkgs.netcdf ];
|
mzR = [ pkgs.netcdf ];
|
||||||
cluster = [ pkgs.libiconv ];
|
cluster = [ pkgs.libiconv ];
|
||||||
KernSmooth = [ pkgs.libiconv ];
|
KernSmooth = [ pkgs.libiconv ];
|
||||||
|
@ -951,6 +955,18 @@ let
|
||||||
'';
|
'';
|
||||||
});
|
});
|
||||||
|
|
||||||
|
R_cache = old.R_cache.overrideDerivation (attrs: {
|
||||||
|
preConfigure = ''
|
||||||
|
export R_CACHE_ROOTPATH=$TMP
|
||||||
|
'';
|
||||||
|
});
|
||||||
|
|
||||||
|
lpsymphony = old.lpsymphony.overrideDerivation (attrs: {
|
||||||
|
preConfigure = ''
|
||||||
|
patchShebangs configure
|
||||||
|
'';
|
||||||
|
});
|
||||||
|
|
||||||
};
|
};
|
||||||
in
|
in
|
||||||
self
|
self
|
||||||
|
|
|
@ -48,8 +48,7 @@ escapeName <- function(name) {
|
||||||
}
|
}
|
||||||
|
|
||||||
formatPackage <- function(name, version, sha256, depends, imports, linkingTo) {
|
formatPackage <- function(name, version, sha256, depends, imports, linkingTo) {
|
||||||
name <- escapeName(name)
|
attr <- gsub(".", "_", escapeName(name), fixed=TRUE)
|
||||||
attr <- gsub(".", "_", name, fixed=TRUE)
|
|
||||||
options(warn=5)
|
options(warn=5)
|
||||||
depends <- paste( if (is.na(depends)) "" else gsub("[ \t\n]+", "", depends)
|
depends <- paste( if (is.na(depends)) "" else gsub("[ \t\n]+", "", depends)
|
||||||
, if (is.na(imports)) "" else gsub("[ \t\n]+", "", imports)
|
, if (is.na(imports)) "" else gsub("[ \t\n]+", "", imports)
|
||||||
|
|
|
@ -5,13 +5,13 @@
|
||||||
|
|
||||||
buildGoPackage rec {
|
buildGoPackage rec {
|
||||||
pname = "tfsec";
|
pname = "tfsec";
|
||||||
version = "0.58.5";
|
version = "0.58.6";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "aquasecurity";
|
owner = "aquasecurity";
|
||||||
repo = pname;
|
repo = pname;
|
||||||
rev = "v${version}";
|
rev = "v${version}";
|
||||||
sha256 = "sha256-awTRECHHNGebzV08Qy2I6rX4eS2z07NZLsQFPoA0UXA=";
|
sha256 = "sha256-FTrzEVTmMxXshDOvlSmQEwekde621KIclpFm1oEduEo=";
|
||||||
};
|
};
|
||||||
|
|
||||||
goPackagePath = "github.com/aquasecurity/tfsec";
|
goPackagePath = "github.com/aquasecurity/tfsec";
|
||||||
|
|
|
@ -4,11 +4,11 @@
|
||||||
|
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
pname = "jenkins";
|
pname = "jenkins";
|
||||||
version = "2.289.3";
|
version = "2.303.1";
|
||||||
|
|
||||||
src = fetchurl {
|
src = fetchurl {
|
||||||
url = "http://mirrors.jenkins.io/war-stable/${version}/jenkins.war";
|
url = "http://mirrors.jenkins.io/war-stable/${version}/jenkins.war";
|
||||||
sha256 = "11wb4kqy1hja2fgnqsr6p0khdyvinclprxz9z5m58czrsllzsvcr";
|
sha256 = "0rf06axz1hxssg942w2g66avak30jy6rfdwxynhriqv3vrf17bja";
|
||||||
};
|
};
|
||||||
|
|
||||||
nativeBuildInputs = [ makeWrapper ];
|
nativeBuildInputs = [ makeWrapper ];
|
||||||
|
|
|
@ -1,16 +1,15 @@
|
||||||
{ lib
|
{ lib
|
||||||
, fetchurl
|
, fetchurl
|
||||||
, installShellFiles
|
|
||||||
, python3
|
, python3
|
||||||
}:
|
}:
|
||||||
|
|
||||||
python3.pkgs.buildPythonApplication rec {
|
python3.pkgs.buildPythonApplication rec {
|
||||||
pname = "flawfinder";
|
pname = "flawfinder";
|
||||||
version = "2.0.18";
|
version = "2.0.19";
|
||||||
|
|
||||||
src = fetchurl {
|
src = fetchurl {
|
||||||
url = "https://dwheeler.com/flawfinder/flawfinder-${version}.tar.gz";
|
url = "https://dwheeler.com/flawfinder/flawfinder-${version}.tar.gz";
|
||||||
sha256 = "1hk2y13fd2a5gf42a1hk45hw6pbls715wi9k1yh3c3wyhvbyylba";
|
sha256 = "sha256-/lUJgdNwq/oKKWcTRswLA4Ipqb2QsjnqsPAfEiEt9hg=";
|
||||||
};
|
};
|
||||||
|
|
||||||
# Project is using a combination of bash/Python for the tests
|
# Project is using a combination of bash/Python for the tests
|
||||||
|
|
23
pkgs/development/tools/misc/dwz/default.nix
Normal file
23
pkgs/development/tools/misc/dwz/default.nix
Normal file
|
@ -0,0 +1,23 @@
|
||||||
|
{ lib, stdenv, fetchurl, elfutils }:
|
||||||
|
|
||||||
|
stdenv.mkDerivation rec {
|
||||||
|
pname = "dwz";
|
||||||
|
version = "0.14";
|
||||||
|
|
||||||
|
src = fetchurl {
|
||||||
|
url = "https://www.sourceware.org/ftp/${pname}/releases/${pname}-${version}.tar.gz";
|
||||||
|
sha256 = "07qdvzfk4mvbqj5z3aff7vc195dxqn1mi27w2dzs1w2zhymnw01k";
|
||||||
|
};
|
||||||
|
|
||||||
|
nativeBuildInputs = [ elfutils ];
|
||||||
|
|
||||||
|
makeFlags = [ "prefix=${placeholder "out"}" ];
|
||||||
|
|
||||||
|
meta = with lib; {
|
||||||
|
homepage = "https://sourceware.org/dwz/";
|
||||||
|
description = "DWARF optimization and duplicate removal tool";
|
||||||
|
license = licenses.gpl2Plus;
|
||||||
|
maintainers = with maintainers; [ jbcrail ];
|
||||||
|
platforms = platforms.linux;
|
||||||
|
};
|
||||||
|
}
|
|
@ -1,16 +1,17 @@
|
||||||
{ elk7Version
|
{ elk7Version
|
||||||
, enableUnfree ? true
|
, enableUnfree ? true
|
||||||
, lib, stdenv
|
, lib
|
||||||
|
, stdenv
|
||||||
, makeWrapper
|
, makeWrapper
|
||||||
, fetchurl
|
, fetchurl
|
||||||
, nodejs-10_x
|
, nodejs-14_x
|
||||||
, coreutils
|
, coreutils
|
||||||
, which
|
, which
|
||||||
}:
|
}:
|
||||||
|
|
||||||
with lib;
|
with lib;
|
||||||
let
|
let
|
||||||
nodejs = nodejs-10_x;
|
nodejs = nodejs-14_x;
|
||||||
inherit (builtins) elemAt;
|
inherit (builtins) elemAt;
|
||||||
info = splitString "-" stdenv.hostPlatform.system;
|
info = splitString "-" stdenv.hostPlatform.system;
|
||||||
arch = elemAt info 0;
|
arch = elemAt info 0;
|
||||||
|
@ -18,20 +19,21 @@ let
|
||||||
shas =
|
shas =
|
||||||
if enableUnfree
|
if enableUnfree
|
||||||
then {
|
then {
|
||||||
x86_64-linux = "1wq4fc2fifkg1qz7nxdfb4yi2biay8cgdz7kl5k0p37sxn0sbkja";
|
x86_64-linux = "sha256-lTPBppKm51zgKSQtSdO0PgZ/aomvaStwqwYYGNPY4Bo=";
|
||||||
x86_64-darwin = "06346kj7bv49py49pmmnmh8m24322m88v1af19909pj9cxgd0p6v";
|
x86_64-darwin = "sha256-d7xHmoASiywDlZCJX/CfUX1VIi4iOcDrqvK0su54MJc=";
|
||||||
}
|
}
|
||||||
else {
|
else {
|
||||||
x86_64-linux = "0ygpmcm6wdcnvw8azwqc5257lyic7yw31rqvm2pw3afhpha62lpj";
|
x86_64-linux = "sha256-+pkKpiXBpLHs72KKNtMJbqipw6eu5XC1xu/iLFCHGRQ=";
|
||||||
x86_64-darwin = "0xy81g0bhxp47p29kkkh5llfzqkzqzr5dk50ap2hy0hjw33ld6g1";
|
x86_64-darwin = "sha256-CyJ5iRXaPgXO2lyy+E24OcGtb9V3e1gMZRIu25bVyzk=";
|
||||||
};
|
};
|
||||||
|
|
||||||
in stdenv.mkDerivation rec {
|
in
|
||||||
name = "kibana-${optionalString (!enableUnfree) "oss-"}${version}";
|
stdenv.mkDerivation rec {
|
||||||
|
pname = "kibana${optionalString (!enableUnfree) "-oss"}";
|
||||||
version = elk7Version;
|
version = elk7Version;
|
||||||
|
|
||||||
src = fetchurl {
|
src = fetchurl {
|
||||||
url = "https://artifacts.elastic.co/downloads/kibana/${name}-${plat}-${arch}.tar.gz";
|
url = "https://artifacts.elastic.co/downloads/kibana/${pname}-${version}-${plat}-${arch}.tar.gz";
|
||||||
sha256 = shas.${stdenv.hostPlatform.system} or (throw "Unknown architecture");
|
sha256 = shas.${stdenv.hostPlatform.system} or (throw "Unknown architecture");
|
||||||
};
|
};
|
||||||
|
|
||||||
|
|
|
@ -2,16 +2,16 @@
|
||||||
|
|
||||||
rustPlatform.buildRustPackage rec {
|
rustPlatform.buildRustPackage rec {
|
||||||
pname = "cargo-expand";
|
pname = "cargo-expand";
|
||||||
version = "1.0.8";
|
version = "1.0.9";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "dtolnay";
|
owner = "dtolnay";
|
||||||
repo = pname;
|
repo = pname;
|
||||||
rev = version;
|
rev = version;
|
||||||
sha256 = "sha256-UkNO2uNiyN6xB74dNMiWZUCH6qq6P6u95wTq8xRvxsQ=";
|
sha256 = "sha256-wDuCmiQzyY/Ydr67fYb0yZaSWvuYwW91j0CoqbUFFpg=";
|
||||||
};
|
};
|
||||||
|
|
||||||
cargoSha256 = "sha256-JTjPdTG8KGYVkiCkTqRiJyTpm7OpZkbW10EKSp9lLJ4=";
|
cargoSha256 = "sha256-5KCGXJzk5VStby/JzjXJvDSrhFlB8YJHMcQNL8GxkLI=";
|
||||||
|
|
||||||
buildInputs = lib.optional stdenv.isDarwin libiconv;
|
buildInputs = lib.optional stdenv.isDarwin libiconv;
|
||||||
|
|
||||||
|
|
|
@ -3,15 +3,23 @@
|
||||||
let
|
let
|
||||||
pname = "anki-bin";
|
pname = "anki-bin";
|
||||||
# Update hashes for both Linux and Darwin!
|
# Update hashes for both Linux and Darwin!
|
||||||
version = "2.1.46";
|
version = "2.1.47";
|
||||||
|
|
||||||
|
sources = {
|
||||||
|
linux = fetchurl {
|
||||||
|
url = "https://github.com/ankitects/anki/releases/download/${version}/anki-${version}-linux.tar.bz2";
|
||||||
|
sha256 = "sha256-cObvjXeDUDslfAhMOrlqyjidri6N7xLR2+LRz3hTdfg=";
|
||||||
|
};
|
||||||
|
darwin = fetchurl {
|
||||||
|
url = "https://github.com/ankitects/anki/releases/download/${version}/anki-${version}-mac.dmg";
|
||||||
|
sha256 = "sha256-TwYrI9gSabJ5icOsygtEJRymkrSgCD8jDXMtpaJXgWg=";
|
||||||
|
};
|
||||||
|
};
|
||||||
|
|
||||||
unpacked = stdenv.mkDerivation {
|
unpacked = stdenv.mkDerivation {
|
||||||
inherit pname version;
|
inherit pname version;
|
||||||
|
|
||||||
src = fetchurl {
|
src = sources.linux;
|
||||||
url = "https://github.com/ankitects/anki/releases/download/${version}/anki-${version}-linux.tar.bz2";
|
|
||||||
sha256 = "1jzpf42fqhfbjr95k7bpsnf34sfinamp6v828y0sapa4gzfvwkkz";
|
|
||||||
};
|
|
||||||
|
|
||||||
installPhase = ''
|
installPhase = ''
|
||||||
runHook preInstall
|
runHook preInstall
|
||||||
|
@ -32,6 +40,8 @@ let
|
||||||
platforms = [ "x86_64-linux" "x86_64-darwin" ];
|
platforms = [ "x86_64-linux" "x86_64-darwin" ];
|
||||||
maintainers = with maintainers; [ atemu ];
|
maintainers = with maintainers; [ atemu ];
|
||||||
};
|
};
|
||||||
|
|
||||||
|
passthru = { inherit sources; };
|
||||||
in
|
in
|
||||||
|
|
||||||
if stdenv.isLinux then buildFHSUserEnv (appimageTools.defaultFhsEnvArgs // {
|
if stdenv.isLinux then buildFHSUserEnv (appimageTools.defaultFhsEnvArgs // {
|
||||||
|
@ -51,14 +61,11 @@ if stdenv.isLinux then buildFHSUserEnv (appimageTools.defaultFhsEnvArgs // {
|
||||||
$out/share/
|
$out/share/
|
||||||
'';
|
'';
|
||||||
|
|
||||||
inherit meta;
|
inherit meta passthru;
|
||||||
}) else stdenv.mkDerivation {
|
}) else stdenv.mkDerivation {
|
||||||
inherit pname version;
|
inherit pname version passthru;
|
||||||
|
|
||||||
src = fetchurl {
|
src = sources.darwin;
|
||||||
url = "https://github.com/ankitects/anki/releases/download/${version}/anki-${version}-mac.dmg";
|
|
||||||
sha256 = "003cmh5qdj5mkrpm51n0is872faj99dqfkaaxyyrn6x03s36l17y";
|
|
||||||
};
|
|
||||||
|
|
||||||
nativeBuildInputs = [ undmg ];
|
nativeBuildInputs = [ undmg ];
|
||||||
sourceRoot = ".";
|
sourceRoot = ".";
|
||||||
|
|
54
pkgs/misc/emulators/uxn/default.nix
Normal file
54
pkgs/misc/emulators/uxn/default.nix
Normal file
|
@ -0,0 +1,54 @@
|
||||||
|
{ lib
|
||||||
|
, stdenv
|
||||||
|
, fetchFromSourcehut
|
||||||
|
, SDL2
|
||||||
|
}:
|
||||||
|
|
||||||
|
stdenv.mkDerivation rec {
|
||||||
|
pname = "uxn";
|
||||||
|
version = "0.0.0+unstable=2021-08-30";
|
||||||
|
|
||||||
|
src = fetchFromSourcehut {
|
||||||
|
owner = "~rabbits";
|
||||||
|
repo = pname;
|
||||||
|
rev = "a2e40d9d10c11ef48f4f93d0dc86f5085b4263ce";
|
||||||
|
hash = "sha256-/hxDYi814nQydm2iQk4NID4vpJ3BcBcM6NdL0iuZk5M=";
|
||||||
|
};
|
||||||
|
|
||||||
|
buildInputs = [
|
||||||
|
SDL2
|
||||||
|
];
|
||||||
|
|
||||||
|
dontConfigure = true;
|
||||||
|
|
||||||
|
# It is easier to emulate build.sh script
|
||||||
|
buildPhase = ''
|
||||||
|
runHook preBuild
|
||||||
|
|
||||||
|
cc -std=c89 -Wall -Wno-unknown-pragmas src/uxnasm.c -o uxnasm
|
||||||
|
cc -std=c89 -Wall -Wno-unknown-pragmas src/uxn.c src/uxncli.c -o uxncli
|
||||||
|
cc -std=c89 -Wall -Wno-unknown-pragmas src/uxn.c src/devices/ppu.c \
|
||||||
|
src/devices/apu.c src/uxnemu.c $(sdl2-config --cflags --libs) -o uxnemu
|
||||||
|
|
||||||
|
runHook postBuild
|
||||||
|
'';
|
||||||
|
|
||||||
|
installPhase = ''
|
||||||
|
runHook preInstall
|
||||||
|
|
||||||
|
install -d $out/bin/ $out/share/${pname}/
|
||||||
|
|
||||||
|
cp uxnasm uxncli uxnemu $out/bin/
|
||||||
|
cp -r projects $out/share/${pname}/
|
||||||
|
|
||||||
|
runHook postInstall
|
||||||
|
'';
|
||||||
|
|
||||||
|
meta = with lib; {
|
||||||
|
homepage = "https://wiki.xxiivv.com/site/uxn.html";
|
||||||
|
description = "An assembler and emulator for the Uxn stack machine";
|
||||||
|
license = with licenses; [ mit ];
|
||||||
|
maintainers = with maintainers; [ AndersonTorres ];
|
||||||
|
platforms = with platforms; unix;
|
||||||
|
};
|
||||||
|
}
|
|
@ -1,17 +1,17 @@
|
||||||
{ lib, fetchFromGitHub, elk7Version, buildGoPackage, libpcap, nixosTests, systemd }:
|
{ lib, fetchFromGitHub, elk7Version, buildGoModule, libpcap, nixosTests, systemd }:
|
||||||
|
|
||||||
let beat = package : extraArgs : buildGoPackage (rec {
|
let beat = package: extraArgs: buildGoModule (rec {
|
||||||
name = "${package}-${version}";
|
pname = package;
|
||||||
version = elk7Version;
|
version = elk7Version;
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "elastic";
|
owner = "elastic";
|
||||||
repo = "beats";
|
repo = "beats";
|
||||||
rev = "v${version}";
|
rev = "v${version}";
|
||||||
sha256 = "192ygz3ppfah8d2b811x67jfqhcr5ivz7qh4vwrd729rjfr0bbgb";
|
sha256 = "sha256-zr0a0LBR4G9okS2pUixDYtYZ0yCp4G6j08jx/zlIKOA=";
|
||||||
};
|
};
|
||||||
|
|
||||||
goPackagePath = "github.com/elastic/beats";
|
vendorSha256 = "sha256-xmw432vY1T2EixkDcXdGrnMdc8fYOI4R2lEjbkav3JQ=";
|
||||||
|
|
||||||
subPackages = [ package ];
|
subPackages = [ package ];
|
||||||
|
|
||||||
|
@ -21,10 +21,11 @@ let beat = package : extraArgs : buildGoPackage (rec {
|
||||||
maintainers = with maintainers; [ fadenb basvandijk ];
|
maintainers = with maintainers; [ fadenb basvandijk ];
|
||||||
platforms = platforms.linux;
|
platforms = platforms.linux;
|
||||||
};
|
};
|
||||||
} // extraArgs);
|
} // extraArgs);
|
||||||
in rec {
|
in
|
||||||
filebeat7 = beat "filebeat" {meta.description = "Lightweight shipper for logfiles";};
|
rec {
|
||||||
heartbeat7 = beat "heartbeat" {meta.description = "Lightweight shipper for uptime monitoring";};
|
filebeat7 = beat "filebeat" { meta.description = "Lightweight shipper for logfiles"; };
|
||||||
|
heartbeat7 = beat "heartbeat" { meta.description = "Lightweight shipper for uptime monitoring"; };
|
||||||
metricbeat7 = beat "metricbeat" {
|
metricbeat7 = beat "metricbeat" {
|
||||||
meta.description = "Lightweight shipper for metrics";
|
meta.description = "Lightweight shipper for metrics";
|
||||||
passthru.tests =
|
passthru.tests =
|
||||||
|
@ -52,7 +53,8 @@ in rec {
|
||||||
journal entries from Linuxes with systemd.
|
journal entries from Linuxes with systemd.
|
||||||
'';
|
'';
|
||||||
buildInputs = [ systemd.dev ];
|
buildInputs = [ systemd.dev ];
|
||||||
postFixup = let libPath = lib.makeLibraryPath [ (lib.getLib systemd) ]; in ''
|
postFixup = let libPath = lib.makeLibraryPath [ (lib.getLib systemd) ]; in
|
||||||
|
''
|
||||||
patchelf --set-rpath ${libPath} "$out/bin/journalbeat"
|
patchelf --set-rpath ${libPath} "$out/bin/journalbeat"
|
||||||
'';
|
'';
|
||||||
};
|
};
|
||||||
|
|
|
@ -3442,6 +3442,18 @@ final: prev:
|
||||||
meta.homepage = "https://github.com/Shougo/neomru.vim/";
|
meta.homepage = "https://github.com/Shougo/neomru.vim/";
|
||||||
};
|
};
|
||||||
|
|
||||||
|
neon = buildVimPluginFrom2Nix {
|
||||||
|
pname = "neon";
|
||||||
|
version = "2021-07-30";
|
||||||
|
src = fetchFromGitHub {
|
||||||
|
owner = "rafamadriz";
|
||||||
|
repo = "neon";
|
||||||
|
rev = "5c6d24504e2177a709ad16ae9e89ab5732327ad8";
|
||||||
|
sha256 = "1p7g3204hjj52qnm5vdvh425r4xh0y8bsyfivpnp4zgz44rqd6v3";
|
||||||
|
};
|
||||||
|
meta.homepage = "https://github.com/rafamadriz/neon/";
|
||||||
|
};
|
||||||
|
|
||||||
neorg = buildVimPluginFrom2Nix {
|
neorg = buildVimPluginFrom2Nix {
|
||||||
pname = "neorg";
|
pname = "neorg";
|
||||||
version = "2021-08-26";
|
version = "2021-08-26";
|
||||||
|
|
|
@ -573,6 +573,7 @@ Quramy/tsuquyomi
|
||||||
racer-rust/vim-racer
|
racer-rust/vim-racer
|
||||||
radenling/vim-dispatch-neovim
|
radenling/vim-dispatch-neovim
|
||||||
rafamadriz/friendly-snippets@main
|
rafamadriz/friendly-snippets@main
|
||||||
|
rafamadriz/neon@main
|
||||||
rafaqz/ranger.vim
|
rafaqz/ranger.vim
|
||||||
rafi/awesome-vim-colorschemes
|
rafi/awesome-vim-colorschemes
|
||||||
raghur/fruzzy
|
raghur/fruzzy
|
||||||
|
|
|
@ -1,32 +1,32 @@
|
||||||
{ lib, stdenv, fetchFromGitHub, kernel, qmake }:
|
{ lib, stdenv, fetchFromGitHub, kernel }:
|
||||||
|
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
pname = "akvcam";
|
pname = "akvcam";
|
||||||
version = "1.2.0";
|
version = "1.2.2";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "webcamoid";
|
owner = "webcamoid";
|
||||||
repo = "akvcam";
|
repo = "akvcam";
|
||||||
rev = version;
|
rev = version;
|
||||||
sha256 = "0r5xg7pz0wl6pq5029rpzm9fn978vq0md31xjkp2amny7rrgxw72";
|
sha256 = "1f0vjia2d7zj3y5c63lx1r537bdjx6821yxy29ilbrvsbjq2szj8";
|
||||||
};
|
};
|
||||||
|
sourceRoot = "source/src";
|
||||||
|
|
||||||
nativeBuildInputs = [ qmake ];
|
makeFlags = [
|
||||||
dontWrapQtApps = true;
|
|
||||||
|
|
||||||
qmakeFlags = [
|
|
||||||
"KERNEL_DIR=${kernel.dev}/lib/modules/${kernel.modDirVersion}/build"
|
"KERNEL_DIR=${kernel.dev}/lib/modules/${kernel.modDirVersion}/build"
|
||||||
];
|
];
|
||||||
|
|
||||||
installPhase = ''
|
installPhase = ''
|
||||||
install -m644 -b -D src/akvcam.ko $out/lib/modules/${kernel.modDirVersion}/akvcam.ko
|
install -m644 -b -D akvcam.ko $out/lib/modules/${kernel.modDirVersion}/akvcam.ko
|
||||||
'';
|
'';
|
||||||
|
|
||||||
|
enableParallelBuilding = true;
|
||||||
|
|
||||||
meta = with lib; {
|
meta = with lib; {
|
||||||
description = "Virtual camera driver for Linux";
|
description = "Virtual camera driver for Linux";
|
||||||
homepage = "https://github.com/webcamoid/akvcam";
|
homepage = "https://github.com/webcamoid/akvcam";
|
||||||
maintainers = with maintainers; [ freezeboy ];
|
maintainers = with maintainers; [ freezeboy ];
|
||||||
platforms = platforms.linux;
|
platforms = platforms.linux;
|
||||||
license = licenses.gpl2;
|
license = licenses.gpl2Only;
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|
|
@ -25,7 +25,7 @@ stdenv.mkDerivation rec {
|
||||||
--replace depmod \#
|
--replace depmod \#
|
||||||
'';
|
'';
|
||||||
|
|
||||||
makeFlags = [
|
makeFlags = kernel.makeFlags ++ [
|
||||||
"KDIR=${kernel.dev}/lib/modules/${kernel.modDirVersion}/build"
|
"KDIR=${kernel.dev}/lib/modules/${kernel.modDirVersion}/build"
|
||||||
"KVER=${kernel.modDirVersion}"
|
"KVER=${kernel.modDirVersion}"
|
||||||
"KERNEL_MODLIB=$(out)/lib/modules/${kernel.modDirVersion}"
|
"KERNEL_MODLIB=$(out)/lib/modules/${kernel.modDirVersion}"
|
||||||
|
|
|
@ -1,29 +1,16 @@
|
||||||
{ stdenv, lib, fetchFromGitHub, fetchpatch, kernel, kernelAtLeast }:
|
{ stdenv, lib, fetchFromGitHub, kernel, kernelAtLeast }:
|
||||||
|
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
name = "isgx-${version}-${kernel.version}";
|
name = "isgx-${version}-${kernel.version}";
|
||||||
version = "2.11";
|
version = "2.14";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "intel";
|
owner = "intel";
|
||||||
repo = "linux-sgx-driver";
|
repo = "linux-sgx-driver";
|
||||||
rev = "sgx_driver_${version}";
|
rev = "sgx_diver_${version}"; # Typo is upstream's.
|
||||||
hash = "sha256-zZ0FgCx63LCNmvQ909O27v/o4+93gefhgEE/oDr/bHw=";
|
sha256 = "0kbbf2inaywp44lm8ig26mkb36jq3smsln0yp6kmrirdwc3c53mi";
|
||||||
};
|
};
|
||||||
|
|
||||||
patches = [
|
|
||||||
# Fixes build with kernel >= 5.8
|
|
||||||
(fetchpatch {
|
|
||||||
url = "https://github.com/intel/linux-sgx-driver/commit/276c5c6a064d22358542f5e0aa96b1c0ace5d695.patch";
|
|
||||||
sha256 = "sha256-PmchqYENIbnJ51G/tkdap/g20LUrJEoQ4rDtqy6hj24=";
|
|
||||||
})
|
|
||||||
# Fixes detection with kernel >= 5.11
|
|
||||||
(fetchpatch {
|
|
||||||
url = "https://github.com/intel/linux-sgx-driver/commit/ed2c256929962db1a8805db53bed09bb8f2f4de3.patch";
|
|
||||||
sha256 = "sha256-MRbgS4U8FTCP1J1n+rhsvbXxKDytfl6B7YlT9Izq05U=";
|
|
||||||
})
|
|
||||||
];
|
|
||||||
|
|
||||||
hardeningDisable = [ "pic" ];
|
hardeningDisable = [ "pic" ];
|
||||||
|
|
||||||
nativeBuildInputs = kernel.moduleBuildDependencies;
|
nativeBuildInputs = kernel.moduleBuildDependencies;
|
||||||
|
@ -38,6 +25,8 @@ stdenv.mkDerivation rec {
|
||||||
runHook postInstall
|
runHook postInstall
|
||||||
'';
|
'';
|
||||||
|
|
||||||
|
enableParallelBuilding = true;
|
||||||
|
|
||||||
meta = with lib; {
|
meta = with lib; {
|
||||||
description = "Intel SGX Linux Driver";
|
description = "Intel SGX Linux Driver";
|
||||||
longDescription = ''
|
longDescription = ''
|
||||||
|
|
18
pkgs/os-specific/linux/kernel/linux-5.14.nix
Normal file
18
pkgs/os-specific/linux/kernel/linux-5.14.nix
Normal file
|
@ -0,0 +1,18 @@
|
||||||
|
{ lib, buildPackages, fetchurl, perl, buildLinux, nixosTests, modDirVersionArg ? null, ... } @ args:
|
||||||
|
|
||||||
|
with lib;
|
||||||
|
|
||||||
|
buildLinux (args // rec {
|
||||||
|
version = "5.14";
|
||||||
|
|
||||||
|
# modDirVersion needs to be x.y.z, will automatically add .0 if needed
|
||||||
|
modDirVersion = if (modDirVersionArg == null) then concatStringsSep "." (take 3 (splitVersion "${version}.0")) else modDirVersionArg;
|
||||||
|
|
||||||
|
# branchVersion needs to be x.y
|
||||||
|
extraMeta.branch = versions.majorMinor version;
|
||||||
|
|
||||||
|
src = fetchurl {
|
||||||
|
url = "mirror://kernel/linux/kernel/v5.x/linux-${version}.tar.xz";
|
||||||
|
sha256 = "1cki6af9r30k8820j73qdyycp23mwpf2a2rjwl82p9i61mg8n1ky";
|
||||||
|
};
|
||||||
|
} // (args.argsOverride or { }))
|
|
@ -1,8 +1,8 @@
|
||||||
{ stdenv, lib, fetchsvn, linux
|
{ stdenv, lib, fetchsvn, linux
|
||||||
, scripts ? fetchsvn {
|
, scripts ? fetchsvn {
|
||||||
url = "https://www.fsfla.org/svn/fsfla/software/linux-libre/releases/branches/";
|
url = "https://www.fsfla.org/svn/fsfla/software/linux-libre/releases/branches/";
|
||||||
rev = "18260";
|
rev = "18268";
|
||||||
sha256 = "11mmdix0vq9yrivx300ay6np3xx1gdqdr4cqdxr1wa84dbl7c2dm";
|
sha256 = "050rk485csj41yfydr1cvn60vhb3lzbb3486sm832vp55d34i8fd";
|
||||||
}
|
}
|
||||||
, ...
|
, ...
|
||||||
}:
|
}:
|
||||||
|
|
|
@ -17,10 +17,8 @@ buildPhase() {
|
||||||
# Create the module.
|
# Create the module.
|
||||||
echo "Building linux driver against kernel: $kernel";
|
echo "Building linux driver against kernel: $kernel";
|
||||||
cd kernel
|
cd kernel
|
||||||
sysSrc=$(echo $kernel/lib/modules/$kernelVersion/source)
|
|
||||||
sysOut=$(echo $kernel/lib/modules/$kernelVersion/build)
|
|
||||||
unset src # used by the nv makefile
|
unset src # used by the nv makefile
|
||||||
make IGNORE_PREEMPT_RT_PRESENCE=1 NV_BUILD_SUPPORTS_HMM=1 SYSSRC=$sysSrc SYSOUT=$sysOut module -j$NIX_BUILD_CORES
|
make $makeFlags -j $NIX_BUILD_CORES module
|
||||||
|
|
||||||
cd ..
|
cd ..
|
||||||
fi
|
fi
|
||||||
|
|
|
@ -19,10 +19,10 @@ rec {
|
||||||
# Policy: use the highest stable version as the default (on our master).
|
# Policy: use the highest stable version as the default (on our master).
|
||||||
stable = if stdenv.hostPlatform.system == "x86_64-linux"
|
stable = if stdenv.hostPlatform.system == "x86_64-linux"
|
||||||
then generic {
|
then generic {
|
||||||
version = "470.57.02";
|
version = "470.63.01";
|
||||||
sha256_64bit = "sha256-VdeuEEgn+qeel1Mh/itg+d1C+/9lZCBTRDwOVv20xH0=";
|
sha256_64bit = "sha256:057dsc0j3136r5gc08id3rwz9c0x7i01xkcwfk77vqic9b6486kg";
|
||||||
settingsSha256 = "sha256-DJg5QbyuKJmPpLQVYgTLvucI1e9YgQOO16690VXIWvk=";
|
settingsSha256 = "sha256:0lizp4hn49yvca2yd76yh3awld98pkaa35a067lpcld35vb5brgv";
|
||||||
persistencedSha256 = "sha256-Cqv6oUFnsSi3S1sjplJKeq9bI2pqgBXPPb11HOJSlDo=";
|
persistencedSha256 = "sha256:1f3gdpa23ipjy2xwf7qnxmw7w8xxhqy25rmcz34xkngjf4fn4pbs";
|
||||||
}
|
}
|
||||||
else legacy_390;
|
else legacy_390;
|
||||||
|
|
||||||
|
|
|
@ -75,6 +75,13 @@ let
|
||||||
kernel = if libsOnly then null else kernel.dev;
|
kernel = if libsOnly then null else kernel.dev;
|
||||||
kernelVersion = if libsOnly then null else kernel.modDirVersion;
|
kernelVersion = if libsOnly then null else kernel.modDirVersion;
|
||||||
|
|
||||||
|
makeFlags = optionals (!libsOnly) (kernel.makeFlags ++ [
|
||||||
|
"IGNORE_PREEMPT_RT_PRESENCE=1"
|
||||||
|
"NV_BUILD_SUPPORTS_HMM=1"
|
||||||
|
"SYSSRC=${kernel.dev}/lib/modules/${kernel.modDirVersion}/source"
|
||||||
|
"SYSOUT=${kernel.dev}/lib/modules/${kernel.modDirVersion}/build"
|
||||||
|
]);
|
||||||
|
|
||||||
hardeningDisable = [ "pic" "format" ];
|
hardeningDisable = [ "pic" "format" ];
|
||||||
|
|
||||||
dontStrip = true;
|
dontStrip = true;
|
||||||
|
|
|
@ -21,6 +21,8 @@ stdenv.mkDerivation rec {
|
||||||
nativeBuildInputs = [ m4 ];
|
nativeBuildInputs = [ m4 ];
|
||||||
buildInputs = [ libtirpc ];
|
buildInputs = [ libtirpc ];
|
||||||
|
|
||||||
|
inherit (nvidia_x11) makeFlags;
|
||||||
|
|
||||||
installFlags = [ "PREFIX=$(out)" ];
|
installFlags = [ "PREFIX=$(out)" ];
|
||||||
|
|
||||||
postFixup = ''
|
postFixup = ''
|
||||||
|
|
|
@ -24,7 +24,7 @@ let
|
||||||
cd src/libXNVCtrl
|
cd src/libXNVCtrl
|
||||||
'';
|
'';
|
||||||
|
|
||||||
makeFlags = [
|
makeFlags = nvidia_x11.makeFlags ++ [
|
||||||
"OUTPUTDIR=." # src/libXNVCtrl
|
"OUTPUTDIR=." # src/libXNVCtrl
|
||||||
];
|
];
|
||||||
|
|
||||||
|
@ -51,7 +51,7 @@ stdenv.mkDerivation {
|
||||||
++ lib.optionals withGtk3 [ gtk3 librsvg wrapGAppsHook ];
|
++ lib.optionals withGtk3 [ gtk3 librsvg wrapGAppsHook ];
|
||||||
|
|
||||||
enableParallelBuilding = true;
|
enableParallelBuilding = true;
|
||||||
makeFlags = [ "NV_USE_BUNDLED_LIBJANSSON=0" ];
|
makeFlags = nvidia_x11.makeFlags ++ [ "NV_USE_BUNDLED_LIBJANSSON=0" ];
|
||||||
installFlags = [ "PREFIX=$(out)" ];
|
installFlags = [ "PREFIX=$(out)" ];
|
||||||
|
|
||||||
postPatch = lib.optionalString nvidia_x11.useProfiles ''
|
postPatch = lib.optionalString nvidia_x11.useProfiles ''
|
||||||
|
@ -61,7 +61,7 @@ stdenv.mkDerivation {
|
||||||
preBuild = ''
|
preBuild = ''
|
||||||
if [ -e src/libXNVCtrl/libXNVCtrl.a ]; then
|
if [ -e src/libXNVCtrl/libXNVCtrl.a ]; then
|
||||||
( cd src/libXNVCtrl
|
( cd src/libXNVCtrl
|
||||||
make
|
make $makeFlags
|
||||||
)
|
)
|
||||||
fi
|
fi
|
||||||
'';
|
'';
|
||||||
|
|
|
@ -34,7 +34,7 @@ stdenv.mkDerivation {
|
||||||
license = with licenses; [ bsd3 gpl2Only ];
|
license = with licenses; [ bsd3 gpl2Only ];
|
||||||
maintainers = with maintainers; [ tvorog ];
|
maintainers = with maintainers; [ tvorog ];
|
||||||
platforms = platforms.linux;
|
platforms = platforms.linux;
|
||||||
broken = kernel.kernelOlder "4.14";
|
broken = kernel.kernelOlder "4.14" || kernel.kernelAtLeast "5.14";
|
||||||
priority = -1;
|
priority = -1;
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|
|
@ -24,5 +24,6 @@ stdenv.mkDerivation rec {
|
||||||
license = licenses.isc;
|
license = licenses.isc;
|
||||||
maintainers = with maintainers; [ flokli hexa ];
|
maintainers = with maintainers; [ flokli hexa ];
|
||||||
platforms = platforms.linux;
|
platforms = platforms.linux;
|
||||||
|
broken = kernel.kernelAtLeast "5.14";
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|
|
@ -210,13 +210,14 @@ in {
|
||||||
|
|
||||||
zfsUnstable = common {
|
zfsUnstable = common {
|
||||||
# check the release notes for compatible kernels
|
# check the release notes for compatible kernels
|
||||||
kernelCompatible = kernel.kernelAtLeast "3.10" && kernel.kernelOlder "5.14";
|
kernelCompatible = kernel.kernelAtLeast "3.10" && kernel.kernelOlder "5.15";
|
||||||
latestCompatibleLinuxPackages = linuxPackages_5_13;
|
latestCompatibleLinuxPackages = linuxPackages_5_13;
|
||||||
|
|
||||||
# this package should point to a version / git revision compatible with the latest kernel release
|
# this package should point to a version / git revision compatible with the latest kernel release
|
||||||
version = "2.1.0";
|
version = "unstable-2021-08-30";
|
||||||
|
rev = "3b89d9518df2c7fd747e349873a3d4d498beb20e";
|
||||||
|
|
||||||
sha256 = "sha256-YdY4SStXZGBBdAHdM3R/unco7ztxI3s0/buPSNSeh5o=";
|
sha256 = "sha256-wVbjpVrPQmhJmMqdGUf0IwlCIoOsT7Zfj5lxSKcOsgg=";
|
||||||
|
|
||||||
isUnstable = true;
|
isUnstable = true;
|
||||||
};
|
};
|
||||||
|
|
|
@ -2,7 +2,7 @@
|
||||||
|
|
||||||
buildGoModule rec {
|
buildGoModule rec {
|
||||||
pname = "caddy";
|
pname = "caddy";
|
||||||
version = "2.4.3";
|
version = "2.4.4";
|
||||||
|
|
||||||
subPackages = [ "cmd/caddy" ];
|
subPackages = [ "cmd/caddy" ];
|
||||||
|
|
||||||
|
@ -10,10 +10,10 @@ buildGoModule rec {
|
||||||
owner = "caddyserver";
|
owner = "caddyserver";
|
||||||
repo = pname;
|
repo = pname;
|
||||||
rev = "v${version}";
|
rev = "v${version}";
|
||||||
sha256 = "sha256-Z3BVx7gCkls5Hy+H6lA3DOBequRutwa2F34FDt9n+8I=";
|
sha256 = "sha256-POdDORICDE49BQ5LLTs4GTb1VoSXZD4K4MpRkVoj+AY=";
|
||||||
};
|
};
|
||||||
|
|
||||||
vendorSha256 = "sha256-Zwpakw/vyDVngc1Bn+RdRPECNweruwGxsT4dfvMELkQ=";
|
vendorSha256 = "sha256-JAQaxEmdX0fpDahe55pEKnUW64k8JjrytkBrXpQJz3I=";
|
||||||
|
|
||||||
passthru.tests = { inherit (nixosTests) caddy; };
|
passthru.tests = { inherit (nixosTests) caddy; };
|
||||||
|
|
||||||
|
|
|
@ -2,7 +2,7 @@
|
||||||
|
|
||||||
buildGoModule rec {
|
buildGoModule rec {
|
||||||
pname = "consul";
|
pname = "consul";
|
||||||
version = "1.10.1";
|
version = "1.10.2";
|
||||||
rev = "v${version}";
|
rev = "v${version}";
|
||||||
|
|
||||||
# Note: Currently only release tags are supported, because they have the Consul UI
|
# Note: Currently only release tags are supported, because they have the Consul UI
|
||||||
|
@ -17,7 +17,7 @@ buildGoModule rec {
|
||||||
owner = "hashicorp";
|
owner = "hashicorp";
|
||||||
repo = pname;
|
repo = pname;
|
||||||
inherit rev;
|
inherit rev;
|
||||||
sha256 = "sha256-oap0pXqtIbT9wMfD/RuJ2tTRynSvfzsgL8TyY4nj3sM=";
|
sha256 = "sha256-mA/s3J0ylE3C3IGaYfadeZV6PQ5Ooth6iQ4JEgPl44Q=";
|
||||||
};
|
};
|
||||||
|
|
||||||
passthru.tests.consul = nixosTests.consul;
|
passthru.tests.consul = nixosTests.consul;
|
||||||
|
@ -26,7 +26,7 @@ buildGoModule rec {
|
||||||
# has a split module structure in one repo
|
# has a split module structure in one repo
|
||||||
subPackages = ["." "connect/certgen"];
|
subPackages = ["." "connect/certgen"];
|
||||||
|
|
||||||
vendorSha256 = "sha256-DloQGxeooVhYWA5/ICkL2UEQvNPilb2F5pst78UzWPI=";
|
vendorSha256 = "sha256-MWQ1m2nvKdP8ZCDs0sjZCiW4DSGe3NnVl4sQ448cu5M=";
|
||||||
|
|
||||||
doCheck = false;
|
doCheck = false;
|
||||||
|
|
||||||
|
|
|
@ -12,11 +12,11 @@ let
|
||||||
in
|
in
|
||||||
buildPythonApplication rec {
|
buildPythonApplication rec {
|
||||||
pname = "matrix-synapse";
|
pname = "matrix-synapse";
|
||||||
version = "1.41.0";
|
version = "1.41.1";
|
||||||
|
|
||||||
src = fetchPypi {
|
src = fetchPypi {
|
||||||
inherit pname version;
|
inherit pname version;
|
||||||
sha256 = "sha256-KLsTr8dKp8k7TcrC598ApDib7P0m9evmfdl8jbsZLdc=";
|
sha256 = "1vaym6mxnwg2xdqjcigi2sb0kkdi0ly5d5ghakfsysxcfn08d1z8";
|
||||||
};
|
};
|
||||||
|
|
||||||
patches = [
|
patches = [
|
||||||
|
|
|
@ -54,8 +54,8 @@ in {
|
||||||
};
|
};
|
||||||
|
|
||||||
nextcloud22 = generic {
|
nextcloud22 = generic {
|
||||||
version = "22.1.0";
|
version = "22.1.1";
|
||||||
sha256 = "sha256-SCCAj3mRRoU2BOH6J9fykkSQGKRNxzv5KKl7AgKDGLo=";
|
sha256 = "sha256-5VtuuXf7U5CB4zp9jxluOEMOszfMdr8DeaZjpJf73ls=";
|
||||||
};
|
};
|
||||||
# tip: get she sha with:
|
# tip: get she sha with:
|
||||||
# curl 'https://download.nextcloud.com/server/releases/nextcloud-${version}.tar.bz2.sha256'
|
# curl 'https://download.nextcloud.com/server/releases/nextcloud-${version}.tar.bz2.sha256'
|
||||||
|
|
|
@ -12,16 +12,16 @@
|
||||||
# server, and the FHS userenv and corresponding NixOS module should
|
# server, and the FHS userenv and corresponding NixOS module should
|
||||||
# automatically pick up the changes.
|
# automatically pick up the changes.
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
version = "1.24.0.4930-ab6e1a058";
|
version = "1.24.1.4931-1a38e63c6";
|
||||||
pname = "plexmediaserver";
|
pname = "plexmediaserver";
|
||||||
|
|
||||||
# Fetch the source
|
# Fetch the source
|
||||||
src = if stdenv.hostPlatform.system == "aarch64-linux" then fetchurl {
|
src = if stdenv.hostPlatform.system == "aarch64-linux" then fetchurl {
|
||||||
url = "https://downloads.plex.tv/plex-media-server-new/${version}/debian/plexmediaserver_${version}_arm64.deb";
|
url = "https://downloads.plex.tv/plex-media-server-new/${version}/debian/plexmediaserver_${version}_arm64.deb";
|
||||||
sha256 = "0fhbm2ykk2nx1j619kpzgw32rgbh2snh8g25m7k42cpmg4a3zz4m";
|
sha256 = "1vsg90rlhynfk8wlbf080fv9wah7w8244pl878hjbi6yrjmz2s7g";
|
||||||
} else fetchurl {
|
} else fetchurl {
|
||||||
url = "https://downloads.plex.tv/plex-media-server-new/${version}/debian/plexmediaserver_${version}_amd64.deb";
|
url = "https://downloads.plex.tv/plex-media-server-new/${version}/debian/plexmediaserver_${version}_amd64.deb";
|
||||||
sha256 = "0h1vk8ads1jrb5adcpfrz1qdf60jw4wiss9zzcyamfry1ir94n3r";
|
sha256 = "08xai0jcpmj1hwkkkgc87v9xwszd5bvwhn36kp6v73jnv1l5cmqb";
|
||||||
};
|
};
|
||||||
|
|
||||||
outputs = [ "out" "basedb" ];
|
outputs = [ "out" "basedb" ];
|
||||||
|
|
|
@ -1,10 +1,13 @@
|
||||||
{ elk7Version
|
{ elk7Version
|
||||||
, enableUnfree ? true
|
, enableUnfree ? true
|
||||||
, lib, stdenv
|
, lib
|
||||||
|
, stdenv
|
||||||
, fetchurl
|
, fetchurl
|
||||||
, makeWrapper
|
, makeWrapper
|
||||||
, jre_headless
|
, jre_headless
|
||||||
, util-linux, gnugrep, coreutils
|
, util-linux
|
||||||
|
, gnugrep
|
||||||
|
, coreutils
|
||||||
, autoPatchelfHook
|
, autoPatchelfHook
|
||||||
, zlib
|
, zlib
|
||||||
}:
|
}:
|
||||||
|
@ -17,12 +20,12 @@ let
|
||||||
shas =
|
shas =
|
||||||
if enableUnfree
|
if enableUnfree
|
||||||
then {
|
then {
|
||||||
x86_64-linux = "1s27bzx5y8vcd95qrw6av3fhyxb45219x9ahwaxa2cygmbpighrp";
|
x86_64-linux = "sha256-O3rjtvXyJI+kRBqiz2U2OMkCIQj4E+AIHaE8N4o14R4=";
|
||||||
x86_64-darwin = "1ia3byir3i5qaarmcaysrg3dhnxjmxnf0m0kzyf61g9aiy87gb7q";
|
x86_64-darwin = "sha256-AwuY2yMxf+v7U5/KD3Cf+Hv6ijjySEyj6pzF3RCsg24=";
|
||||||
}
|
}
|
||||||
else {
|
else {
|
||||||
x86_64-linux = "005i7d7ag10qkn7bkx7md50iihvcvc84hay2j94wvsm7yghhbmi3";
|
x86_64-linux = "sha256-cJrdkFIFgAI6wfQh34Z8yFuLrOCOKzgOsWZhU3S/3NQ=";
|
||||||
x86_64-darwin = "01f81720rbzdqc0g1xymhz2lflldfbnb0rh7mpki99pss28vj9sh";
|
x86_64-darwin = "sha256-OhMVOdXei9D9cH+O5tBhdKvZ05TsImjMqUUsucRyWMo=";
|
||||||
};
|
};
|
||||||
in
|
in
|
||||||
stdenv.mkDerivation (rec {
|
stdenv.mkDerivation (rec {
|
||||||
|
|
|
@ -3,16 +3,16 @@
|
||||||
let
|
let
|
||||||
esVersion = elasticsearch.version;
|
esVersion = elasticsearch.version;
|
||||||
|
|
||||||
esPlugin = a@{
|
esPlugin =
|
||||||
pluginName,
|
a@{ pluginName
|
||||||
installPhase ? ''
|
, installPhase ? ''
|
||||||
mkdir -p $out/config
|
mkdir -p $out/config
|
||||||
mkdir -p $out/plugins
|
mkdir -p $out/plugins
|
||||||
ln -s ${elasticsearch}/lib $out/lib
|
ln -s ${elasticsearch}/lib $out/lib
|
||||||
ES_HOME=$out ${elasticsearch}/bin/elasticsearch-plugin install --batch -v file://$src
|
ES_HOME=$out ${elasticsearch}/bin/elasticsearch-plugin install --batch -v file://$src
|
||||||
rm $out/lib
|
rm $out/lib
|
||||||
'',
|
''
|
||||||
...
|
, ...
|
||||||
}:
|
}:
|
||||||
stdenv.mkDerivation (a // {
|
stdenv.mkDerivation (a // {
|
||||||
inherit installPhase;
|
inherit installPhase;
|
||||||
|
@ -24,10 +24,11 @@ let
|
||||||
nativeBuildInputs = [ unzip ];
|
nativeBuildInputs = [ unzip ];
|
||||||
meta = a.meta // {
|
meta = a.meta // {
|
||||||
platforms = elasticsearch.meta.platforms;
|
platforms = elasticsearch.meta.platforms;
|
||||||
maintainers = (a.meta.maintainers or []) ++ (with lib.maintainers; [ offline ]);
|
maintainers = (a.meta.maintainers or [ ]) ++ (with lib.maintainers; [ offline ]);
|
||||||
};
|
};
|
||||||
});
|
});
|
||||||
in {
|
in
|
||||||
|
{
|
||||||
|
|
||||||
analysis-icu = esPlugin rec {
|
analysis-icu = esPlugin rec {
|
||||||
name = "elasticsearch-analysis-icu-${version}";
|
name = "elasticsearch-analysis-icu-${version}";
|
||||||
|
@ -36,7 +37,7 @@ in {
|
||||||
src = fetchurl {
|
src = fetchurl {
|
||||||
url = "https://artifacts.elastic.co/downloads/elasticsearch-plugins/${pluginName}/${pluginName}-${version}.zip";
|
url = "https://artifacts.elastic.co/downloads/elasticsearch-plugins/${pluginName}/${pluginName}-${version}.zip";
|
||||||
sha256 =
|
sha256 =
|
||||||
if version == "7.5.1" then "0v6ynbk34g7pl9cwy8ga8bk1my18jb6pc3pqbjl8p93w38219vi6"
|
if version == "7.10.2" then "sha256-HXNJy8WPExPeh5afjdLEFg+0WX0LYI/kvvaLGVUke5E="
|
||||||
else if version == "6.8.3" then "0vbaqyj0lfy3ijl1c9h92b0nh605h5mjs57bk2zhycdvbw5sx2lv"
|
else if version == "6.8.3" then "0vbaqyj0lfy3ijl1c9h92b0nh605h5mjs57bk2zhycdvbw5sx2lv"
|
||||||
else throw "unsupported version ${version} for plugin ${pluginName}";
|
else throw "unsupported version ${version} for plugin ${pluginName}";
|
||||||
};
|
};
|
||||||
|
@ -53,7 +54,7 @@ in {
|
||||||
src = fetchurl {
|
src = fetchurl {
|
||||||
url = "https://github.com/vhyza/elasticsearch-${pluginName}/releases/download/v${version}/elasticsearch-${pluginName}-${version}-plugin.zip";
|
url = "https://github.com/vhyza/elasticsearch-${pluginName}/releases/download/v${version}/elasticsearch-${pluginName}-${version}-plugin.zip";
|
||||||
sha256 =
|
sha256 =
|
||||||
if version == "7.5.1" then "0js8b9a9ma797448m3sy92qxbwziix8gkcka7hf17dqrb9k29v61"
|
if version == "7.10.2" then "sha256-mW4YNZ20qatyfHCDAmod/gVmkPYh15NrsYPgiBy1/T8="
|
||||||
else if version == "6.8.3" then "12bshvp01pp2lgwd0cn9l58axg8gdimsh4g9wfllxi1bdpv4cy53"
|
else if version == "6.8.3" then "12bshvp01pp2lgwd0cn9l58axg8gdimsh4g9wfllxi1bdpv4cy53"
|
||||||
else throw "unsupported version ${version} for plugin ${pluginName}";
|
else throw "unsupported version ${version} for plugin ${pluginName}";
|
||||||
};
|
};
|
||||||
|
@ -70,7 +71,7 @@ in {
|
||||||
src = fetchurl {
|
src = fetchurl {
|
||||||
url = "https://artifacts.elastic.co/downloads/elasticsearch-plugins/${pluginName}/${pluginName}-${version}.zip";
|
url = "https://artifacts.elastic.co/downloads/elasticsearch-plugins/${pluginName}/${pluginName}-${version}.zip";
|
||||||
sha256 =
|
sha256 =
|
||||||
if version == "7.5.1" then "0znmbdf99bli4kvyb3vxr5x48yb6n64nl38gpa63iqsv3nlbi0hp"
|
if version == "7.10.2" then "sha256-PjA/pwoulkD2d6sHKqzcYxQpb1aS68/l047z5JTcV3Y="
|
||||||
else if version == "6.8.3" then "0ggdhf7w50bxsffmcznrjy14b578fps0f8arg3v54qvj94v9jc37"
|
else if version == "6.8.3" then "0ggdhf7w50bxsffmcznrjy14b578fps0f8arg3v54qvj94v9jc37"
|
||||||
else throw "unsupported version ${version} for plugin ${pluginName}";
|
else throw "unsupported version ${version} for plugin ${pluginName}";
|
||||||
};
|
};
|
||||||
|
@ -87,7 +88,7 @@ in {
|
||||||
src = fetchurl {
|
src = fetchurl {
|
||||||
url = "https://artifacts.elastic.co/downloads/elasticsearch-plugins/${pluginName}/${pluginName}-${version}.zip";
|
url = "https://artifacts.elastic.co/downloads/elasticsearch-plugins/${pluginName}/${pluginName}-${version}.zip";
|
||||||
sha256 =
|
sha256 =
|
||||||
if version == "7.5.1" then "09wl2bpng4xx384xns960rymnm64b5zn2cb1sp25n85pd0isp4p2"
|
if version == "7.10.2" then "sha256-yvxSkVyZDWeu7rcxxq1+IVsljZQKgWEURiXY9qycK1s="
|
||||||
else if version == "6.8.3" then "0pmffz761dqjpvmkl7i7xsyw1iyyspqpddxp89rjsznfc9pak5im"
|
else if version == "6.8.3" then "0pmffz761dqjpvmkl7i7xsyw1iyyspqpddxp89rjsznfc9pak5im"
|
||||||
else throw "unsupported version ${version} for plugin ${pluginName}";
|
else throw "unsupported version ${version} for plugin ${pluginName}";
|
||||||
};
|
};
|
||||||
|
@ -104,7 +105,7 @@ in {
|
||||||
src = fetchurl {
|
src = fetchurl {
|
||||||
url = "https://artifacts.elastic.co/downloads/elasticsearch-plugins/${pluginName}/${pluginName}-${version}.zip";
|
url = "https://artifacts.elastic.co/downloads/elasticsearch-plugins/${pluginName}/${pluginName}-${version}.zip";
|
||||||
sha256 =
|
sha256 =
|
||||||
if version == "7.5.1" then "0hhwxkjlkw1yv5sp6pdn5k1y8bdv4mnmb6nby1z4367mig6rm8v9"
|
if version == "7.10.2" then "sha256-yOMiYJ2c/mcLDcTA99YrpQBiEBAa/mLtTqJlqTJ5tBc="
|
||||||
else if version == "6.8.3" then "0kfr4i2rcwinjn31xrc2piicasjanaqcgnbif9xc7lnak2nnzmll"
|
else if version == "6.8.3" then "0kfr4i2rcwinjn31xrc2piicasjanaqcgnbif9xc7lnak2nnzmll"
|
||||||
else throw "unsupported version ${version} for plugin ${pluginName}";
|
else throw "unsupported version ${version} for plugin ${pluginName}";
|
||||||
};
|
};
|
||||||
|
@ -121,7 +122,7 @@ in {
|
||||||
src = fetchurl {
|
src = fetchurl {
|
||||||
url = "https://artifacts.elastic.co/downloads/elasticsearch-plugins/${pluginName}/${pluginName}-${esVersion}.zip";
|
url = "https://artifacts.elastic.co/downloads/elasticsearch-plugins/${pluginName}/${pluginName}-${esVersion}.zip";
|
||||||
sha256 =
|
sha256 =
|
||||||
if version == "7.5.1" then "1j1rgbha5lh0a02h55zqc5qn0mvvi16l2m5r8lmaswp97px056v9"
|
if version == "7.10.2" then "sha256-fN2RQsY9OACE71pIw87XVJo4c3sUu/6gf/6wUt7ZNIE="
|
||||||
else if version == "6.8.3" then "1mm6hj2m1db68n81rzsvlw6nisflr5ikzk5zv9nmk0z641n5vh1x"
|
else if version == "6.8.3" then "1mm6hj2m1db68n81rzsvlw6nisflr5ikzk5zv9nmk0z641n5vh1x"
|
||||||
else throw "unsupported version ${version} for plugin ${pluginName}";
|
else throw "unsupported version ${version} for plugin ${pluginName}";
|
||||||
};
|
};
|
||||||
|
@ -138,7 +139,7 @@ in {
|
||||||
src = fetchurl {
|
src = fetchurl {
|
||||||
url = "https://artifacts.elastic.co/downloads/elasticsearch-plugins/${pluginName}/${pluginName}-${esVersion}.zip";
|
url = "https://artifacts.elastic.co/downloads/elasticsearch-plugins/${pluginName}/${pluginName}-${esVersion}.zip";
|
||||||
sha256 =
|
sha256 =
|
||||||
if version == "7.5.1" then "15g438zpxrcmsgddwmk3sccy92ha90cyq9c61kcw1q84wfi0a7jl"
|
if version == "7.10.2" then "sha256-JdWt5LzSbs0MIEuLJIE1ceTnNeTYI5Jt2N0Xj7OBO6g="
|
||||||
else if version == "6.8.3" then "1s2klpvnhpkrk53p64zbga3b66czi7h1a13f58kfn2cn0zfavnbk"
|
else if version == "6.8.3" then "1s2klpvnhpkrk53p64zbga3b66czi7h1a13f58kfn2cn0zfavnbk"
|
||||||
else throw "unsupported version ${version} for plugin ${pluginName}";
|
else throw "unsupported version ${version} for plugin ${pluginName}";
|
||||||
};
|
};
|
||||||
|
@ -149,19 +150,23 @@ in {
|
||||||
};
|
};
|
||||||
};
|
};
|
||||||
|
|
||||||
search-guard = let
|
search-guard =
|
||||||
|
let
|
||||||
majorVersion = lib.head (builtins.splitVersion esVersion);
|
majorVersion = lib.head (builtins.splitVersion esVersion);
|
||||||
in esPlugin rec {
|
in
|
||||||
|
esPlugin rec {
|
||||||
pluginName = "search-guard";
|
pluginName = "search-guard";
|
||||||
version =
|
version =
|
||||||
# https://docs.search-guard.com/latest/search-guard-versions
|
# https://docs.search-guard.com/latest/search-guard-versions
|
||||||
if esVersion == "7.5.1" then "${esVersion}-38.0.0"
|
if esVersion == "7.10.2" then "7.10.1-49.3.0"
|
||||||
else if esVersion == "6.8.3" then "${esVersion}-25.5"
|
else if esVersion == "6.8.3" then "${esVersion}-25.5"
|
||||||
else throw "unsupported version ${esVersion} for plugin ${pluginName}";
|
else throw "unsupported version ${esVersion} for plugin ${pluginName}";
|
||||||
src = fetchurl {
|
src = fetchurl {
|
||||||
url = "mirror://maven/com/floragunn/${pluginName}-${majorVersion}/${version}/${pluginName}-${majorVersion}-${version}.zip";
|
url =
|
||||||
|
if version == "7.10.1-49.3.0" then "https://maven.search-guard.com/search-guard-suite-release/com/floragunn/search-guard-suite-plugin/${version}/search-guard-suite-plugin-${version}.zip"
|
||||||
|
else "mirror://maven/com/floragunn/${pluginName}-${majorVersion}/${version}/${pluginName}-${majorVersion}-${version}.zip";
|
||||||
sha256 =
|
sha256 =
|
||||||
if version == "7.5.1-38.0.0" then "1a1wp9wrmz6ji2rnpk0b9jqnp86w0w0z8sb48giyc1gzcy1ra9yh"
|
if version == "7.10.1-49.3.0" then "sha256-vKH2+c+7WlncgljrvYH9lAqQTKzg9l0ABZ23Q/xdoK4="
|
||||||
else if version == "6.8.3-25.5" then "0a7ys9qinc0fjyka03cx9rv0pm7wnvslk234zv5vrphkrj52s1cb"
|
else if version == "6.8.3-25.5" then "0a7ys9qinc0fjyka03cx9rv0pm7wnvslk234zv5vrphkrj52s1cb"
|
||||||
else throw "unsupported version ${version} for plugin ${pluginName}";
|
else throw "unsupported version ${version} for plugin ${pluginName}";
|
||||||
};
|
};
|
||||||
|
|
|
@ -5,15 +5,15 @@
|
||||||
, git, nix, nixfmt, jq, coreutils, gnused, curl, cacert }:
|
, git, nix, nixfmt, jq, coreutils, gnused, curl, cacert }:
|
||||||
|
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
version = "2021-08-18";
|
version = "2021-08-27";
|
||||||
pname = "oh-my-zsh";
|
pname = "oh-my-zsh";
|
||||||
rev = "cbb534267aca09fd123635fc39a7d00c0e21a5f7";
|
rev = "190325049ef93731ab28295dbedf36d44ab33d7a";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
inherit rev;
|
inherit rev;
|
||||||
owner = "ohmyzsh";
|
owner = "ohmyzsh";
|
||||||
repo = "ohmyzsh";
|
repo = "ohmyzsh";
|
||||||
sha256 = "LbgqdIGVvcTUSDVSyH8uJmfuT0ymJvf04AL91HjNWwQ=";
|
sha256 = "x+cGlYjTgs7Esb4NNSBcKhoDb1SuEQxONt/sSHeVj0M=";
|
||||||
};
|
};
|
||||||
|
|
||||||
installPhase = ''
|
installPhase = ''
|
||||||
|
|
|
@ -16,20 +16,22 @@
|
||||||
|
|
||||||
python3.pkgs.buildPythonApplication rec {
|
python3.pkgs.buildPythonApplication rec {
|
||||||
pname = "tts";
|
pname = "tts";
|
||||||
version = "0.2.0";
|
version = "0.2.1";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "coqui-ai";
|
owner = "coqui-ai";
|
||||||
repo = "TTS";
|
repo = "TTS";
|
||||||
rev = "v${version}";
|
rev = "v${version}";
|
||||||
sha256 = "sha256-FlxR1bPkUZT3SPuWiK0oAuI9dKfurEZurB0NhyDgOyY=";
|
sha256 = "sha256-7YMNxZ15qQowEE0tE6x/LbtirNGp7h9OLyS1JSl9x2A=";
|
||||||
};
|
};
|
||||||
|
|
||||||
postPatch = ''
|
postPatch = ''
|
||||||
sed -i -e 's!librosa==[^"]*!librosa!' requirements.txt
|
sed -i requirements.txt \
|
||||||
sed -i -e 's!numba==[^"]*!numba!' requirements.txt
|
-e 's!librosa==[^"]*!librosa!' \
|
||||||
sed -i -e 's!numpy==[^"]*!numpy!' requirements.txt
|
-e 's!mecab-python3==[^"]*!mecab-python3!' \
|
||||||
sed -i -e 's!umap-learn==[^"]*!umap-learn!' requirements.txt
|
-e 's!numba==[^"]*!numba!' \
|
||||||
|
-e 's!numpy==[^"]*!numpy!' \
|
||||||
|
-e 's!umap-learn==[^"]*!umap-learn!'
|
||||||
'';
|
'';
|
||||||
|
|
||||||
nativeBuildInputs = with python3.pkgs; [
|
nativeBuildInputs = with python3.pkgs; [
|
||||||
|
|
|
@ -2,13 +2,13 @@
|
||||||
|
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
pname = "duplicati";
|
pname = "duplicati";
|
||||||
version = "2.0.6.1";
|
version = "2.0.6.3";
|
||||||
channel = "beta";
|
channel = "beta";
|
||||||
build_date = "2021-05-03";
|
build_date = "2021-06-17";
|
||||||
|
|
||||||
src = fetchzip {
|
src = fetchzip {
|
||||||
url = "https://github.com/duplicati/duplicati/releases/download/v${version}-${version}_${channel}_${build_date}/duplicati-${version}_${channel}_${build_date}.zip";
|
url = "https://github.com/duplicati/duplicati/releases/download/v${version}-${version}_${channel}_${build_date}/duplicati-${version}_${channel}_${build_date}.zip";
|
||||||
sha256 = "09537hswpicsx47vfdm78j3h7vvjd7nqjd2461jrln57nl7v7dac";
|
sha256 = "sha256-usMwlmer6rLgP46wGVkaAIocUW4MjuEpVWdX7rRcghg=";
|
||||||
stripRoot = false;
|
stripRoot = false;
|
||||||
};
|
};
|
||||||
|
|
||||||
|
|
|
@ -2,13 +2,13 @@
|
||||||
|
|
||||||
buildGoModule rec {
|
buildGoModule rec {
|
||||||
pname = "tar2ext4";
|
pname = "tar2ext4";
|
||||||
version = "0.8.20";
|
version = "0.8.21";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "microsoft";
|
owner = "microsoft";
|
||||||
repo = "hcsshim";
|
repo = "hcsshim";
|
||||||
rev = "v${version}";
|
rev = "v${version}";
|
||||||
sha256 = "sha256-X7JsUFL9NkNT7ihE5olrqMUP8RnoVC10KLrQeT/OU3o=";
|
sha256 = "sha256-oYCL6agif/BklMY5/ub6PExS6D/ZlTxi1QaabMOsEfw=";
|
||||||
};
|
};
|
||||||
|
|
||||||
sourceRoot = "source/cmd/tar2ext4";
|
sourceRoot = "source/cmd/tar2ext4";
|
||||||
|
|
|
@ -1,8 +1,12 @@
|
||||||
{ lib, stdenv, fetchurl, fetchpatch
|
{ lib, stdenv, fetchurl, fetchpatch
|
||||||
, cmake, perl, go
|
, cmake, perl, go, python3
|
||||||
, protobuf, zlib, gtest, brotli, lz4, zstd, libusb1, pcre2, fmt_7
|
, protobuf, zlib, gtest, brotli, lz4, zstd, libusb1, pcre2, fmt_7
|
||||||
}:
|
}:
|
||||||
|
|
||||||
|
let
|
||||||
|
pythonEnv = python3.withPackages(ps: [ ps.protobuf ]);
|
||||||
|
in
|
||||||
|
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
pname = "android-tools";
|
pname = "android-tools";
|
||||||
version = "31.0.2";
|
version = "31.0.2";
|
||||||
|
@ -23,8 +27,13 @@ stdenv.mkDerivation rec {
|
||||||
})
|
})
|
||||||
];
|
];
|
||||||
|
|
||||||
|
postPatch = ''
|
||||||
|
sed -i -E "0,/import api_pb2/ s//from google.protobuf import api_pb2/" vendor/avb/aftltool.py
|
||||||
|
'';
|
||||||
|
|
||||||
nativeBuildInputs = [ cmake perl go ];
|
nativeBuildInputs = [ cmake perl go ];
|
||||||
buildInputs = [ protobuf zlib gtest brotli lz4 zstd libusb1 pcre2 fmt_7 ];
|
buildInputs = [ protobuf zlib gtest brotli lz4 zstd libusb1 pcre2 fmt_7 ];
|
||||||
|
propagatedBuildInputs = [ pythonEnv ];
|
||||||
|
|
||||||
# Don't try to fetch any Go modules via the network:
|
# Don't try to fetch any Go modules via the network:
|
||||||
GOFLAGS = [ "-mod=vendor" ];
|
GOFLAGS = [ "-mod=vendor" ];
|
||||||
|
@ -33,6 +42,12 @@ stdenv.mkDerivation rec {
|
||||||
export GOCACHE=$TMPDIR/go-cache
|
export GOCACHE=$TMPDIR/go-cache
|
||||||
'';
|
'';
|
||||||
|
|
||||||
|
postInstall = ''
|
||||||
|
install -Dm755 ../vendor/avb/aftltool.py -t $out/bin
|
||||||
|
install -Dm755 ../vendor/avb/avbtool.py -t $out/bin
|
||||||
|
install -Dm755 ../vendor/mkbootimg/mkbootimg.py $out/bin/mkbootimg
|
||||||
|
'';
|
||||||
|
|
||||||
meta = with lib; {
|
meta = with lib; {
|
||||||
description = "Android SDK platform tools";
|
description = "Android SDK platform tools";
|
||||||
longDescription = ''
|
longDescription = ''
|
||||||
|
|
|
@ -1,6 +1,7 @@
|
||||||
{ elk7Version
|
{ elk7Version
|
||||||
, enableUnfree ? true
|
, enableUnfree ? true
|
||||||
, lib, stdenv
|
, lib
|
||||||
|
, stdenv
|
||||||
, fetchurl
|
, fetchurl
|
||||||
, makeWrapper
|
, makeWrapper
|
||||||
, nixosTests
|
, nixosTests
|
||||||
|
@ -9,16 +10,27 @@
|
||||||
|
|
||||||
with lib;
|
with lib;
|
||||||
|
|
||||||
let this = stdenv.mkDerivation rec {
|
let
|
||||||
|
info = splitString "-" stdenv.hostPlatform.system;
|
||||||
|
arch = elemAt info 0;
|
||||||
|
plat = elemAt info 1;
|
||||||
|
shas =
|
||||||
|
if enableUnfree
|
||||||
|
then {
|
||||||
|
x86_64-linux = "sha256-5qv4fbFpLf6aduD7wyxXQ6FsCeUqrszRisNBx44vbMY=";
|
||||||
|
x86_64-darwin = "sha256-7H+Xpo8qF1ZZMkR5n92PVplEN4JsBEYar91zHQhE+Lo=";
|
||||||
|
}
|
||||||
|
else {
|
||||||
|
x86_64-linux = "sha256-jiV2yGPwPgZ5plo3ftImVDLSOsk/XBzFkeeALSObLhU=";
|
||||||
|
x86_64-darwin = "sha256-UYG+GGr23eAc2GgNX/mXaGU0WKMjiQMPpD1wUvAVz0A=";
|
||||||
|
};
|
||||||
|
this = stdenv.mkDerivation rec {
|
||||||
version = elk7Version;
|
version = elk7Version;
|
||||||
name = "logstash-${optionalString (!enableUnfree) "oss-"}${version}";
|
pname = "logstash${optionalString (!enableUnfree) "-oss"}";
|
||||||
|
|
||||||
src = fetchurl {
|
src = fetchurl {
|
||||||
url = "https://artifacts.elastic.co/downloads/logstash/${name}.tar.gz";
|
url = "https://artifacts.elastic.co/downloads/logstash/${pname}-${version}-${plat}-${arch}.tar.gz";
|
||||||
sha256 =
|
sha256 = shas.${stdenv.hostPlatform.system} or (throw "Unknown architecture");
|
||||||
if enableUnfree
|
|
||||||
then "01l6alwgsq6yf0z9d08i0hi8g708nph1vm78nl4xbpg8h964bybj"
|
|
||||||
else "0nlwgaw6rmhp5b68zpp1pzsjs30b0bjzdg8f7xy6rarpk338s8yb";
|
|
||||||
};
|
};
|
||||||
|
|
||||||
dontBuild = true;
|
dontBuild = true;
|
||||||
|
@ -27,7 +39,8 @@ let this = stdenv.mkDerivation rec {
|
||||||
dontPatchShebangs = true;
|
dontPatchShebangs = true;
|
||||||
|
|
||||||
buildInputs = [
|
buildInputs = [
|
||||||
makeWrapper jre
|
makeWrapper
|
||||||
|
jre
|
||||||
];
|
];
|
||||||
|
|
||||||
installPhase = ''
|
installPhase = ''
|
||||||
|
@ -60,5 +73,6 @@ let this = stdenv.mkDerivation rec {
|
||||||
elk = nixosTests.elk.ELK-7;
|
elk = nixosTests.elk.ELK-7;
|
||||||
}
|
}
|
||||||
);
|
);
|
||||||
};
|
};
|
||||||
in this
|
in
|
||||||
|
this
|
||||||
|
|
|
@ -29,7 +29,10 @@ python3.pkgs.buildPythonApplication rec {
|
||||||
|
|
||||||
postPatch = ''
|
postPatch = ''
|
||||||
# No API changes.
|
# No API changes.
|
||||||
substituteInPlace pyproject.toml --replace 'python-frontmatter = "^0.5.0"' 'python-frontmatter = "^1.0.0"'
|
substituteInPlace pyproject.toml \
|
||||||
|
--replace 'python-frontmatter = "^0.5.0"' 'python-frontmatter = "^1.0.0"' \
|
||||||
|
--replace 'genanki = "^0.10.1"' 'genanki = "^0.11.0"' \
|
||||||
|
--replace 'typer = "^0.3.2"' 'typer = "^0.4.0"'
|
||||||
'';
|
'';
|
||||||
|
|
||||||
# No tests available on Pypi and there is only a failing version assertion test in the repo.
|
# No tests available on Pypi and there is only a failing version assertion test in the repo.
|
||||||
|
|
|
@ -2,13 +2,13 @@
|
||||||
|
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
pname = "pspg";
|
pname = "pspg";
|
||||||
version = "4.5.0";
|
version = "5.3.4";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "okbob";
|
owner = "okbob";
|
||||||
repo = pname;
|
repo = pname;
|
||||||
rev = version;
|
rev = version;
|
||||||
sha256 = "sha256-RWezBNqjKybMtfpxPhDg2ysb4ksKphTPdTNTwCe4pas=";
|
sha256 = "sha256-wju69kC6koYy2yABjx7/rWsuJXV1vjwSBztNlu13TJs=";
|
||||||
};
|
};
|
||||||
|
|
||||||
nativeBuildInputs = [ pkg-config ];
|
nativeBuildInputs = [ pkg-config ];
|
||||||
|
|
|
@ -25,11 +25,11 @@
|
||||||
|
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
pname = "network-manager-applet";
|
pname = "network-manager-applet";
|
||||||
version = "1.22.0";
|
version = "1.24.0";
|
||||||
|
|
||||||
src = fetchurl {
|
src = fetchurl {
|
||||||
url = "mirror://gnome/sources/${pname}/${lib.versions.majorMinor version}/${pname}-${version}.tar.xz";
|
url = "mirror://gnome/sources/${pname}/${lib.versions.majorMinor version}/${pname}-${version}.tar.xz";
|
||||||
sha256 = "sha256-xw2AtI1AqcuZ7JZ8xDifZ+fwMBUopp1IFXIEEzGmRr4=";
|
sha256 = "sha256-ufS8pdA1Jxjge3OF+xlam7yP1oa3lZt0E3hU1SqrnFg=";
|
||||||
};
|
};
|
||||||
|
|
||||||
mesonFlags = [
|
mesonFlags = [
|
||||||
|
|
|
@ -1,17 +1,40 @@
|
||||||
{ lib, fetchFromGitHub, python2Packages,
|
{ lib
|
||||||
asciidoc, cacert, libxml2, libxslt, docbook_xsl }:
|
, fetchFromGitHub
|
||||||
|
, python2Packages
|
||||||
|
, asciidoc
|
||||||
|
, cacert
|
||||||
|
, docbook_xsl
|
||||||
|
, installShellFiles
|
||||||
|
, libxml2
|
||||||
|
, libxslt
|
||||||
|
}:
|
||||||
|
|
||||||
python2Packages.buildPythonApplication rec {
|
python2Packages.buildPythonApplication rec {
|
||||||
version = "7.3.3";
|
version = "7.3.4";
|
||||||
pname = "offlineimap";
|
pname = "offlineimap";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "OfflineIMAP";
|
owner = "OfflineIMAP";
|
||||||
repo = "offlineimap";
|
repo = "offlineimap";
|
||||||
rev = "v${version}";
|
rev = "v${version}";
|
||||||
sha256 = "1gg8ry67i20qapj4z20am9bm67m2q28kixcj7ja75m897vhzarnq";
|
sha256 = "sha256-sra2H0+5+LAIU3+uJnii+AYA05nuDyKVMW97rbaFOfI=";
|
||||||
};
|
};
|
||||||
|
|
||||||
|
nativeBuildInputs = [
|
||||||
|
asciidoc
|
||||||
|
docbook_xsl
|
||||||
|
installShellFiles
|
||||||
|
libxml2
|
||||||
|
libxslt
|
||||||
|
];
|
||||||
|
|
||||||
|
propagatedBuildInputs = with python2Packages; [
|
||||||
|
six
|
||||||
|
kerberos
|
||||||
|
rfc6555
|
||||||
|
pysocks
|
||||||
|
];
|
||||||
|
|
||||||
postPatch = ''
|
postPatch = ''
|
||||||
# Skip xmllint to stop failures due to no network access
|
# Skip xmllint to stop failures due to no network access
|
||||||
sed -i docs/Makefile -e "s|a2x -v -d |a2x -L -v -d |"
|
sed -i docs/Makefile -e "s|a2x -v -d |a2x -L -v -d |"
|
||||||
|
@ -20,21 +43,19 @@ python2Packages.buildPythonApplication rec {
|
||||||
sed -i offlineimap/utils/distro.py -e '/def get_os_sslcertfile():/a\ \ \ \ return "${cacert}/etc/ssl/certs/ca-bundle.crt"'
|
sed -i offlineimap/utils/distro.py -e '/def get_os_sslcertfile():/a\ \ \ \ return "${cacert}/etc/ssl/certs/ca-bundle.crt"'
|
||||||
'';
|
'';
|
||||||
|
|
||||||
doCheck = false;
|
|
||||||
|
|
||||||
nativeBuildInputs = [ asciidoc libxml2 libxslt docbook_xsl ];
|
|
||||||
propagatedBuildInputs = with python2Packages; [ six kerberos rfc6555 pysocks ];
|
|
||||||
|
|
||||||
postInstall = ''
|
postInstall = ''
|
||||||
make -C docs man
|
make -C docs man
|
||||||
install -D -m 644 docs/offlineimap.1 ''${!outputMan}/share/man/man1/offlineimap.1
|
installManPage docs/offlineimap.1
|
||||||
install -D -m 644 docs/offlineimapui.7 ''${!outputMan}/share/man/man7/offlineimapui.7
|
installManPage docs/offlineimapui.7
|
||||||
'';
|
'';
|
||||||
|
|
||||||
meta = {
|
# Test requires credentials
|
||||||
|
doCheck = false;
|
||||||
|
|
||||||
|
meta = with lib; {
|
||||||
description = "Synchronize emails between two repositories, so that you can read the same mailbox from multiple computers";
|
description = "Synchronize emails between two repositories, so that you can read the same mailbox from multiple computers";
|
||||||
homepage = "http://offlineimap.org";
|
homepage = "http://offlineimap.org";
|
||||||
license = lib.licenses.gpl2Plus;
|
license = licenses.gpl2Plus;
|
||||||
maintainers = with lib.maintainers; [ endocrimes ];
|
maintainers = with maintainers; [ endocrimes ];
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|
|
@ -6,11 +6,11 @@ in
|
||||||
|
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
pname = "spoofer";
|
pname = "spoofer";
|
||||||
version = "1.4.6";
|
version = "1.4.7";
|
||||||
|
|
||||||
src = fetchurl {
|
src = fetchurl {
|
||||||
url = "https://www.caida.org/projects/spoofer/downloads/${pname}-${version}.tar.gz";
|
url = "https://www.caida.org/projects/spoofer/downloads/${pname}-${version}.tar.gz";
|
||||||
sha256 = "sha256-+4FNC+rMxIoVXlW7HnBXUg0P4FhNvMTAqJ9c7lXQ6vE=";
|
sha256 = "sha256-6ov1dZbxmBRIhfIzUaxiaHUeiU6SbNKhiQX1W4lmhD8=";
|
||||||
};
|
};
|
||||||
|
|
||||||
nativeBuildInputs = [ pkg-config ];
|
nativeBuildInputs = [ pkg-config ];
|
||||||
|
|
|
@ -1,30 +1,52 @@
|
||||||
{ lib, stdenv, fetchFromGitHub, openssl, libpcap }:
|
{ lib
|
||||||
|
, stdenv
|
||||||
|
, autoreconfHook
|
||||||
|
, fetchFromGitHub
|
||||||
|
, json_c
|
||||||
|
, libnet
|
||||||
|
, libpcap
|
||||||
|
, openssl
|
||||||
|
}:
|
||||||
|
|
||||||
stdenv.mkDerivation {
|
stdenv.mkDerivation rec {
|
||||||
pname = "ssldump";
|
pname = "ssldump";
|
||||||
version = "1.1";
|
version = "1.4";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "adulau";
|
owner = "adulau";
|
||||||
repo = "ssldump";
|
repo = "ssldump";
|
||||||
rev = "7491b9851505acff95b2c68097e9b9f630d418dc";
|
rev = "v${version}";
|
||||||
sha256 = "1j3rln86khdnc98v50hclvqaq83a24c1rfzbcbajkbfpr4yxpnpd";
|
sha256 = "1xnlfqsl93nxbcv4x4xsgxa6mnhcx37hijrpdb7vzla6q7xvg8qr";
|
||||||
};
|
};
|
||||||
|
|
||||||
buildInputs = [ libpcap openssl ];
|
nativeBuildInputs = [
|
||||||
|
autoreconfHook
|
||||||
|
];
|
||||||
|
|
||||||
|
buildInputs = [
|
||||||
|
json_c
|
||||||
|
libnet
|
||||||
|
libpcap
|
||||||
|
openssl
|
||||||
|
];
|
||||||
|
|
||||||
prePatch = ''
|
prePatch = ''
|
||||||
sed -i -e 's|#include.*net/bpf.h|#include <pcap/bpf.h>|' \
|
sed -i -e 's|#include.*net/bpf.h|#include <pcap/bpf.h>|' \
|
||||||
base/pcap-snoop.c
|
base/pcap-snoop.c
|
||||||
'';
|
'';
|
||||||
configureFlags = [ "--with-pcap-lib=${libpcap}/lib"
|
|
||||||
|
configureFlags = [
|
||||||
|
"--with-pcap-lib=${libpcap}/lib"
|
||||||
"--with-pcap-inc=${libpcap}/include"
|
"--with-pcap-inc=${libpcap}/include"
|
||||||
"--with-openssl-lib=${openssl}/lib"
|
"--with-openssl-lib=${openssl}/lib"
|
||||||
"--with-openssl-inc=${openssl}/include" ];
|
"--with-openssl-inc=${openssl}/include"
|
||||||
meta = {
|
];
|
||||||
|
|
||||||
|
meta = with lib; {
|
||||||
description = "An SSLv3/TLS network protocol analyzer";
|
description = "An SSLv3/TLS network protocol analyzer";
|
||||||
homepage = "http://ssldump.sourceforge.net";
|
homepage = "http://ssldump.sourceforge.net";
|
||||||
license = "BSD-style";
|
license = "BSD-style";
|
||||||
maintainers = with lib.maintainers; [ aycanirican ];
|
maintainers = with maintainers; [ aycanirican ];
|
||||||
platforms = lib.platforms.linux;
|
platforms = platforms.linux;
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|
|
@ -7,6 +7,7 @@
|
||||||
# https://github.com/NixOS/nixpkgs/pull/119942
|
# https://github.com/NixOS/nixpkgs/pull/119942
|
||||||
nixos-install-tools,
|
nixos-install-tools,
|
||||||
runCommand,
|
runCommand,
|
||||||
|
nixosTests,
|
||||||
}:
|
}:
|
||||||
let
|
let
|
||||||
inherit (nixos {}) config;
|
inherit (nixos {}) config;
|
||||||
|
@ -40,6 +41,7 @@ in
|
||||||
};
|
};
|
||||||
|
|
||||||
passthru.tests = {
|
passthru.tests = {
|
||||||
|
nixos-tests = lib.recurseIntoAttrs nixosTests.installer;
|
||||||
nixos-install-help = runCommand "test-nixos-install-help" {
|
nixos-install-help = runCommand "test-nixos-install-help" {
|
||||||
nativeBuildInputs = [
|
nativeBuildInputs = [
|
||||||
man
|
man
|
||||||
|
|
|
@ -8,11 +8,11 @@
|
||||||
|
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
pname = "hashcat";
|
pname = "hashcat";
|
||||||
version = "6.2.3";
|
version = "6.2.4";
|
||||||
|
|
||||||
src = fetchurl {
|
src = fetchurl {
|
||||||
url = "https://hashcat.net/files/hashcat-${version}.tar.gz";
|
url = "https://hashcat.net/files/hashcat-${version}.tar.gz";
|
||||||
sha256 = "sha256-wL4cZpPuHzXHvvH3m/njCpVPcX70LQDjd4eq7/MnHlE=";
|
sha256 = "sha256-kCA5b/kzaT4xC0ebZB6G8Xg9mBnWDR2Qd1KtjSSmDDE=";
|
||||||
};
|
};
|
||||||
|
|
||||||
nativeBuildInputs = [ makeWrapper ];
|
nativeBuildInputs = [ makeWrapper ];
|
||||||
|
|
|
@ -102,7 +102,7 @@ rustPlatform.buildRustPackage rec {
|
||||||
meta = with lib; {
|
meta = with lib; {
|
||||||
description = "A cool new OpenPGP implementation";
|
description = "A cool new OpenPGP implementation";
|
||||||
homepage = "https://sequoia-pgp.org/";
|
homepage = "https://sequoia-pgp.org/";
|
||||||
license = licenses.gpl3;
|
license = licenses.gpl2Plus;
|
||||||
maintainers = with maintainers; [ minijackson doronbehar ];
|
maintainers = with maintainers; [ minijackson doronbehar ];
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,26 +1,26 @@
|
||||||
{ lib, stdenv, fetchurl, unzip, makeWrapper, gawk, glibc }:
|
{ lib, stdenv, fetchurl, unzip, makeWrapper, gawk, glibc }:
|
||||||
|
|
||||||
let
|
let
|
||||||
version = "1.8.1";
|
version = "1.8.2";
|
||||||
|
|
||||||
sources = let
|
sources = let
|
||||||
base = "https://releases.hashicorp.com/vault/${version}";
|
base = "https://releases.hashicorp.com/vault/${version}";
|
||||||
in {
|
in {
|
||||||
x86_64-linux = fetchurl {
|
x86_64-linux = fetchurl {
|
||||||
url = "${base}/vault_${version}_linux_amd64.zip";
|
url = "${base}/vault_${version}_linux_amd64.zip";
|
||||||
sha256 = "sha256-u0EfK7rXnC5PBkDx09XvUOK9p9T0CHWlaRfJX/eDwts=";
|
sha256 = "sha256-10ck1swivx4cfFGQCbAXaAms9vHCDuVhB94Mq1TNhGM=";
|
||||||
};
|
};
|
||||||
i686-linux = fetchurl {
|
i686-linux = fetchurl {
|
||||||
url = "${base}/vault_${version}_linux_386.zip";
|
url = "${base}/vault_${version}_linux_386.zip";
|
||||||
sha256 = "11khjx5lrb7zmrahkniqwn4ad98yjy2fm0miz63nzpq85c0yrjdn";
|
sha256 = "0v8l056xs88mjpcfpi9k8chv0zk7lf80gkj580z3d37h2yr2b1gg";
|
||||||
};
|
};
|
||||||
x86_64-darwin = fetchurl {
|
x86_64-darwin = fetchurl {
|
||||||
url = "${base}/vault_${version}_darwin_amd64.zip";
|
url = "${base}/vault_${version}_darwin_amd64.zip";
|
||||||
sha256 = "02gqavhg3pk6jkdmn1yp9pl3pv4ni2sg56q218gs8gbbypj22wpq";
|
sha256 = "1xabbndnx85zbhbwid30q0jii41hmwwlqrxz4a0rllqshvmq4fg3";
|
||||||
};
|
};
|
||||||
aarch64-linux = fetchurl {
|
aarch64-linux = fetchurl {
|
||||||
url = "${base}/vault_${version}_linux_arm64.zip";
|
url = "${base}/vault_${version}_linux_arm64.zip";
|
||||||
sha256 = "0500nc8v7hwnrckz4fkf5fpqcg3i45q25lz4lghzkcabnss4qand";
|
sha256 = "00p2540bdhw46licab401vbwdyvp1hkngssx6nh99igj14sl60qa";
|
||||||
};
|
};
|
||||||
};
|
};
|
||||||
|
|
||||||
|
|
Some files were not shown because too many files have changed in this diff Show more
Loading…
Add table
Add a link
Reference in a new issue