Merge branch 'master' into staging-next
This commit is contained in:
commit
a992d68671
|
@ -6,7 +6,7 @@
|
||||||
This chapter describes tools for creating various types of images.
|
This chapter describes tools for creating various types of images.
|
||||||
</para>
|
</para>
|
||||||
<xi:include href="images/appimagetools.xml" />
|
<xi:include href="images/appimagetools.xml" />
|
||||||
<xi:include href="images/dockertools.xml" />
|
<xi:include href="images/dockertools.section.xml" />
|
||||||
<xi:include href="images/ocitools.xml" />
|
<xi:include href="images/ocitools.xml" />
|
||||||
<xi:include href="images/snaptools.xml" />
|
<xi:include href="images/snaptools.xml" />
|
||||||
</chapter>
|
</chapter>
|
||||||
|
|
|
@ -0,0 +1,298 @@
|
||||||
|
# pkgs.dockerTools {#sec-pkgs-dockerTools}
|
||||||
|
|
||||||
|
`pkgs.dockerTools` is a set of functions for creating and manipulating Docker images according to the [ Docker Image Specification v1.2.0 ](https://github.com/moby/moby/blob/master/image/spec/v1.2.md#docker-image-specification-v120). Docker itself is not used to perform any of the operations done by these functions.
|
||||||
|
|
||||||
|
## buildImage {#ssec-pkgs-dockerTools-buildImage}
|
||||||
|
|
||||||
|
This function is analogous to the `docker build` command, in that it can be used to build a Docker-compatible repository tarball containing a single image with one or multiple layers. As such, the result is suitable for being loaded in Docker with `docker load`.
|
||||||
|
|
||||||
|
The parameters of `buildImage` with relative example values are described below:
|
||||||
|
|
||||||
|
[]{#ex-dockerTools-buildImage}
|
||||||
|
[]{#ex-dockerTools-buildImage-runAsRoot}
|
||||||
|
|
||||||
|
```nix
|
||||||
|
buildImage {
|
||||||
|
name = "redis";
|
||||||
|
tag = "latest";
|
||||||
|
|
||||||
|
fromImage = someBaseImage;
|
||||||
|
fromImageName = null;
|
||||||
|
fromImageTag = "latest";
|
||||||
|
|
||||||
|
contents = pkgs.redis;
|
||||||
|
runAsRoot = ''
|
||||||
|
#!${pkgs.runtimeShell}
|
||||||
|
mkdir -p /data
|
||||||
|
'';
|
||||||
|
|
||||||
|
config = {
|
||||||
|
Cmd = [ "/bin/redis-server" ];
|
||||||
|
WorkingDir = "/data";
|
||||||
|
Volumes = { "/data" = { }; };
|
||||||
|
};
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
The above example will build a Docker image `redis/latest` from the given base image. Loading and running this image in Docker results in `redis-server` being started automatically.
|
||||||
|
|
||||||
|
- `name` specifies the name of the resulting image. This is the only required argument for `buildImage`.
|
||||||
|
|
||||||
|
- `tag` specifies the tag of the resulting image. By default it\'s `null`, which indicates that the nix output hash will be used as tag.
|
||||||
|
|
||||||
|
- `fromImage` is the repository tarball containing the base image. It must be a valid Docker image, such as exported by `docker save`. By default it\'s `null`, which can be seen as equivalent to `FROM scratch` of a `Dockerfile`.
|
||||||
|
|
||||||
|
- `fromImageName` can be used to further specify the base image within the repository, in case it contains multiple images. By default it\'s `null`, in which case `buildImage` will peek the first image available in the repository.
|
||||||
|
|
||||||
|
- `fromImageTag` can be used to further specify the tag of the base image within the repository, in case an image contains multiple tags. By default it\'s `null`, in which case `buildImage` will peek the first tag available for the base image.
|
||||||
|
|
||||||
|
- `contents` is a derivation that will be copied in the new layer of the resulting image. This can be similarly seen as `ADD contents/ /` in a `Dockerfile`. By default it\'s `null`.
|
||||||
|
|
||||||
|
- `runAsRoot` is a bash script that will run as root in an environment that overlays the existing layers of the base image with the new resulting layer, including the previously copied `contents` derivation. This can be similarly seen as `RUN ...` in a `Dockerfile`.
|
||||||
|
|
||||||
|
> **_NOTE:_** Using this parameter requires the `kvm` device to be available.
|
||||||
|
|
||||||
|
- `config` is used to specify the configuration of the containers that will be started off the built image in Docker. The available options are listed in the [ Docker Image Specification v1.2.0 ](https://github.com/moby/moby/blob/master/image/spec/v1.2.md#image-json-field-descriptions).
|
||||||
|
|
||||||
|
After the new layer has been created, its closure (to which `contents`, `config` and `runAsRoot` contribute) will be copied in the layer itself. Only new dependencies that are not already in the existing layers will be copied.
|
||||||
|
|
||||||
|
At the end of the process, only one new single layer will be produced and added to the resulting image.
|
||||||
|
|
||||||
|
The resulting repository will only list the single image `image/tag`. In the case of [the `buildImage` example](#ex-dockerTools-buildImage) it would be `redis/latest`.
|
||||||
|
|
||||||
|
It is possible to inspect the arguments with which an image was built using its `buildArgs` attribute.
|
||||||
|
|
||||||
|
> **_NOTE:_** If you see errors similar to `getProtocolByName: does not exist (no such protocol name: tcp)` you may need to add `pkgs.iana-etc` to `contents`.
|
||||||
|
|
||||||
|
> **_NOTE:_** If you see errors similar to `Error_Protocol ("certificate has unknown CA",True,UnknownCa)` you may need to add `pkgs.cacert` to `contents`.
|
||||||
|
|
||||||
|
By default `buildImage` will use a static date of one second past the UNIX Epoch. This allows `buildImage` to produce binary reproducible images. When listing images with `docker images`, the newly created images will be listed like this:
|
||||||
|
|
||||||
|
```ShellSession
|
||||||
|
$ docker images
|
||||||
|
REPOSITORY TAG IMAGE ID CREATED SIZE
|
||||||
|
hello latest 08c791c7846e 48 years ago 25.2MB
|
||||||
|
```
|
||||||
|
|
||||||
|
You can break binary reproducibility but have a sorted, meaningful `CREATED` column by setting `created` to `now`.
|
||||||
|
|
||||||
|
```nix
|
||||||
|
pkgs.dockerTools.buildImage {
|
||||||
|
name = "hello";
|
||||||
|
tag = "latest";
|
||||||
|
created = "now";
|
||||||
|
contents = pkgs.hello;
|
||||||
|
|
||||||
|
config.Cmd = [ "/bin/hello" ];
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
and now the Docker CLI will display a reasonable date and sort the images as expected:
|
||||||
|
|
||||||
|
```ShellSession
|
||||||
|
$ docker images
|
||||||
|
REPOSITORY TAG IMAGE ID CREATED SIZE
|
||||||
|
hello latest de2bf4786de6 About a minute ago 25.2MB
|
||||||
|
```
|
||||||
|
|
||||||
|
however, the produced images will not be binary reproducible.
|
||||||
|
|
||||||
|
## buildLayeredImage {#ssec-pkgs-dockerTools-buildLayeredImage}
|
||||||
|
|
||||||
|
Create a Docker image with many of the store paths being on their own layer to improve sharing between images. The image is realized into the Nix store as a gzipped tarball. Depending on the intended usage, many users might prefer to use `streamLayeredImage` instead, which this function uses internally.
|
||||||
|
|
||||||
|
`name`
|
||||||
|
|
||||||
|
: The name of the resulting image.
|
||||||
|
|
||||||
|
`tag` _optional_
|
||||||
|
|
||||||
|
: Tag of the generated image.
|
||||||
|
|
||||||
|
*Default:* the output path\'s hash
|
||||||
|
|
||||||
|
`contents` _optional_
|
||||||
|
|
||||||
|
: Top level paths in the container. Either a single derivation, or a list of derivations.
|
||||||
|
|
||||||
|
*Default:* `[]`
|
||||||
|
|
||||||
|
`config` _optional_
|
||||||
|
|
||||||
|
: Run-time configuration of the container. A full list of the options are available at in the [ Docker Image Specification v1.2.0 ](https://github.com/moby/moby/blob/master/image/spec/v1.2.md#image-json-field-descriptions).
|
||||||
|
|
||||||
|
*Default:* `{}`
|
||||||
|
|
||||||
|
`created` _optional_
|
||||||
|
|
||||||
|
: Date and time the layers were created. Follows the same `now` exception supported by `buildImage`.
|
||||||
|
|
||||||
|
*Default:* `1970-01-01T00:00:01Z`
|
||||||
|
|
||||||
|
`maxLayers` _optional_
|
||||||
|
|
||||||
|
: Maximum number of layers to create.
|
||||||
|
|
||||||
|
*Default:* `100`
|
||||||
|
|
||||||
|
*Maximum:* `125`
|
||||||
|
|
||||||
|
`extraCommands` _optional_
|
||||||
|
|
||||||
|
: Shell commands to run while building the final layer, without access to most of the layer contents. Changes to this layer are \"on top\" of all the other layers, so can create additional directories and files.
|
||||||
|
|
||||||
|
### Behavior of `contents` in the final image {#dockerTools-buildLayeredImage-arg-contents}
|
||||||
|
|
||||||
|
Each path directly listed in `contents` will have a symlink in the root of the image.
|
||||||
|
|
||||||
|
For example:
|
||||||
|
|
||||||
|
```nix
|
||||||
|
pkgs.dockerTools.buildLayeredImage {
|
||||||
|
name = "hello";
|
||||||
|
contents = [ pkgs.hello ];
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
will create symlinks for all the paths in the `hello` package:
|
||||||
|
|
||||||
|
```ShellSession
|
||||||
|
/bin/hello -> /nix/store/h1zb1padqbbb7jicsvkmrym3r6snphxg-hello-2.10/bin/hello
|
||||||
|
/share/info/hello.info -> /nix/store/h1zb1padqbbb7jicsvkmrym3r6snphxg-hello-2.10/share/info/hello.info
|
||||||
|
/share/locale/bg/LC_MESSAGES/hello.mo -> /nix/store/h1zb1padqbbb7jicsvkmrym3r6snphxg-hello-2.10/share/locale/bg/LC_MESSAGES/hello.mo
|
||||||
|
```
|
||||||
|
|
||||||
|
### Automatic inclusion of `config` references {#dockerTools-buildLayeredImage-arg-config}
|
||||||
|
|
||||||
|
The closure of `config` is automatically included in the closure of the final image.
|
||||||
|
|
||||||
|
This allows you to make very simple Docker images with very little code. This container will start up and run `hello`:
|
||||||
|
|
||||||
|
```nix
|
||||||
|
pkgs.dockerTools.buildLayeredImage {
|
||||||
|
name = "hello";
|
||||||
|
config.Cmd = [ "${pkgs.hello}/bin/hello" ];
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
### Adjusting `maxLayers` {#dockerTools-buildLayeredImage-arg-maxLayers}
|
||||||
|
|
||||||
|
Increasing the `maxLayers` increases the number of layers which have a chance to be shared between different images.
|
||||||
|
|
||||||
|
Modern Docker installations support up to 128 layers, however older versions support as few as 42.
|
||||||
|
|
||||||
|
If the produced image will not be extended by other Docker builds, it is safe to set `maxLayers` to `128`. However it will be impossible to extend the image further.
|
||||||
|
|
||||||
|
The first (`maxLayers-2`) most \"popular\" paths will have their own individual layers, then layer \#`maxLayers-1` will contain all the remaining \"unpopular\" paths, and finally layer \#`maxLayers` will contain the Image configuration.
|
||||||
|
|
||||||
|
Docker\'s Layers are not inherently ordered, they are content-addressable and are not explicitly layered until they are composed in to an Image.
|
||||||
|
|
||||||
|
## streamLayeredImage {#ssec-pkgs-dockerTools-streamLayeredImage}
|
||||||
|
|
||||||
|
Builds a script which, when run, will stream an uncompressed tarball of a Docker image to stdout. The arguments to this function are as for `buildLayeredImage`. This method of constructing an image does not realize the image into the Nix store, so it saves on IO and disk/cache space, particularly with large images.
|
||||||
|
|
||||||
|
The image produced by running the output script can be piped directly into `docker load`, to load it into the local docker daemon:
|
||||||
|
|
||||||
|
```ShellSession
|
||||||
|
$(nix-build) | docker load
|
||||||
|
```
|
||||||
|
|
||||||
|
Alternatively, the image be piped via `gzip` into `skopeo`, e.g. to copy it into a registry:
|
||||||
|
|
||||||
|
```ShellSession
|
||||||
|
$(nix-build) | gzip --fast | skopeo copy docker-archive:/dev/stdin docker://some_docker_registry/myimage:tag
|
||||||
|
```
|
||||||
|
|
||||||
|
## pullImage {#ssec-pkgs-dockerTools-fetchFromRegistry}
|
||||||
|
|
||||||
|
This function is analogous to the `docker pull` command, in that it can be used to pull a Docker image from a Docker registry. By default [Docker Hub](https://hub.docker.com/) is used to pull images.
|
||||||
|
|
||||||
|
Its parameters are described in the example below:
|
||||||
|
|
||||||
|
```nix
|
||||||
|
pullImage {
|
||||||
|
imageName = "nixos/nix";
|
||||||
|
imageDigest =
|
||||||
|
"sha256:20d9485b25ecfd89204e843a962c1bd70e9cc6858d65d7f5fadc340246e2116b";
|
||||||
|
finalImageName = "nix";
|
||||||
|
finalImageTag = "1.11";
|
||||||
|
sha256 = "0mqjy3zq2v6rrhizgb9nvhczl87lcfphq9601wcprdika2jz7qh8";
|
||||||
|
os = "linux";
|
||||||
|
arch = "x86_64";
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
- `imageName` specifies the name of the image to be downloaded, which can also include the registry namespace (e.g. `nixos`). This argument is required.
|
||||||
|
|
||||||
|
- `imageDigest` specifies the digest of the image to be downloaded. This argument is required.
|
||||||
|
|
||||||
|
- `finalImageName`, if specified, this is the name of the image to be created. Note it is never used to fetch the image since we prefer to rely on the immutable digest ID. By default it\'s equal to `imageName`.
|
||||||
|
|
||||||
|
- `finalImageTag`, if specified, this is the tag of the image to be created. Note it is never used to fetch the image since we prefer to rely on the immutable digest ID. By default it\'s `latest`.
|
||||||
|
|
||||||
|
- `sha256` is the checksum of the whole fetched image. This argument is required.
|
||||||
|
|
||||||
|
- `os`, if specified, is the operating system of the fetched image. By default it\'s `linux`.
|
||||||
|
|
||||||
|
- `arch`, if specified, is the cpu architecture of the fetched image. By default it\'s `x86_64`.
|
||||||
|
|
||||||
|
`nix-prefetch-docker` command can be used to get required image parameters:
|
||||||
|
|
||||||
|
```ShellSession
|
||||||
|
$ nix run nixpkgs.nix-prefetch-docker -c nix-prefetch-docker --image-name mysql --image-tag 5
|
||||||
|
```
|
||||||
|
|
||||||
|
Since a given `imageName` may transparently refer to a manifest list of images which support multiple architectures and/or operating systems, you can supply the `--os` and `--arch` arguments to specify exactly which image you want. By default it will match the OS and architecture of the host the command is run on.
|
||||||
|
|
||||||
|
```ShellSession
|
||||||
|
$ nix-prefetch-docker --image-name mysql --image-tag 5 --arch x86_64 --os linux
|
||||||
|
```
|
||||||
|
|
||||||
|
Desired image name and tag can be set using `--final-image-name` and `--final-image-tag` arguments:
|
||||||
|
|
||||||
|
```ShellSession
|
||||||
|
$ nix-prefetch-docker --image-name mysql --image-tag 5 --final-image-name eu.gcr.io/my-project/mysql --final-image-tag prod
|
||||||
|
```
|
||||||
|
|
||||||
|
## exportImage {#ssec-pkgs-dockerTools-exportImage}
|
||||||
|
|
||||||
|
This function is analogous to the `docker export` command, in that it can be used to flatten a Docker image that contains multiple layers. It is in fact the result of the merge of all the layers of the image. As such, the result is suitable for being imported in Docker with `docker import`.
|
||||||
|
|
||||||
|
> **_NOTE:_** Using this function requires the `kvm` device to be available.
|
||||||
|
|
||||||
|
The parameters of `exportImage` are the following:
|
||||||
|
|
||||||
|
```nix
|
||||||
|
exportImage {
|
||||||
|
fromImage = someLayeredImage;
|
||||||
|
fromImageName = null;
|
||||||
|
fromImageTag = null;
|
||||||
|
|
||||||
|
name = someLayeredImage.name;
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
The parameters relative to the base image have the same synopsis as described in [buildImage](#ssec-pkgs-dockerTools-buildImage), except that `fromImage` is the only required argument in this case.
|
||||||
|
|
||||||
|
The `name` argument is the name of the derivation output, which defaults to `fromImage.name`.
|
||||||
|
|
||||||
|
## shadowSetup {#ssec-pkgs-dockerTools-shadowSetup}
|
||||||
|
|
||||||
|
This constant string is a helper for setting up the base files for managing users and groups, only if such files don\'t exist already. It is suitable for being used in a [`buildImage` `runAsRoot`](#ex-dockerTools-buildImage-runAsRoot) script for cases like in the example below:
|
||||||
|
|
||||||
|
```nix
|
||||||
|
buildImage {
|
||||||
|
name = "shadow-basic";
|
||||||
|
|
||||||
|
runAsRoot = ''
|
||||||
|
#!${pkgs.runtimeShell}
|
||||||
|
${shadowSetup}
|
||||||
|
groupadd -r redis
|
||||||
|
useradd -r -g redis redis
|
||||||
|
mkdir /data
|
||||||
|
chown redis:redis /data
|
||||||
|
'';
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
Creating base files like `/etc/passwd` or `/etc/login.defs` is necessary for shadow-utils to manipulate users and groups.
|
|
@ -1,499 +0,0 @@
|
||||||
<section xmlns="http://docbook.org/ns/docbook"
|
|
||||||
xmlns:xlink="http://www.w3.org/1999/xlink"
|
|
||||||
xmlns:xi="http://www.w3.org/2001/XInclude"
|
|
||||||
xml:id="sec-pkgs-dockerTools">
|
|
||||||
<title>pkgs.dockerTools</title>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
<varname>pkgs.dockerTools</varname> is a set of functions for creating and manipulating Docker images according to the <link xlink:href="https://github.com/moby/moby/blob/master/image/spec/v1.2.md#docker-image-specification-v120"> Docker Image Specification v1.2.0 </link>. Docker itself is not used to perform any of the operations done by these functions.
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<section xml:id="ssec-pkgs-dockerTools-buildImage">
|
|
||||||
<title>buildImage</title>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
This function is analogous to the <command>docker build</command> command, in that it can be used to build a Docker-compatible repository tarball containing a single image with one or multiple layers. As such, the result is suitable for being loaded in Docker with <command>docker load</command>.
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
The parameters of <varname>buildImage</varname> with relative example values are described below:
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<example xml:id='ex-dockerTools-buildImage'>
|
|
||||||
<title>Docker build</title>
|
|
||||||
<programlisting>
|
|
||||||
buildImage {
|
|
||||||
name = "redis"; <co xml:id='ex-dockerTools-buildImage-1' />
|
|
||||||
tag = "latest"; <co xml:id='ex-dockerTools-buildImage-2' />
|
|
||||||
|
|
||||||
fromImage = someBaseImage; <co xml:id='ex-dockerTools-buildImage-3' />
|
|
||||||
fromImageName = null; <co xml:id='ex-dockerTools-buildImage-4' />
|
|
||||||
fromImageTag = "latest"; <co xml:id='ex-dockerTools-buildImage-5' />
|
|
||||||
|
|
||||||
contents = pkgs.redis; <co xml:id='ex-dockerTools-buildImage-6' />
|
|
||||||
runAsRoot = '' <co xml:id='ex-dockerTools-buildImage-runAsRoot' />
|
|
||||||
#!${pkgs.runtimeShell}
|
|
||||||
mkdir -p /data
|
|
||||||
'';
|
|
||||||
|
|
||||||
config = { <co xml:id='ex-dockerTools-buildImage-8' />
|
|
||||||
Cmd = [ "/bin/redis-server" ];
|
|
||||||
WorkingDir = "/data";
|
|
||||||
Volumes = {
|
|
||||||
"/data" = {};
|
|
||||||
};
|
|
||||||
};
|
|
||||||
}
|
|
||||||
</programlisting>
|
|
||||||
</example>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
The above example will build a Docker image <literal>redis/latest</literal> from the given base image. Loading and running this image in Docker results in <literal>redis-server</literal> being started automatically.
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<calloutlist>
|
|
||||||
<callout arearefs='ex-dockerTools-buildImage-1'>
|
|
||||||
<para>
|
|
||||||
<varname>name</varname> specifies the name of the resulting image. This is the only required argument for <varname>buildImage</varname>.
|
|
||||||
</para>
|
|
||||||
</callout>
|
|
||||||
<callout arearefs='ex-dockerTools-buildImage-2'>
|
|
||||||
<para>
|
|
||||||
<varname>tag</varname> specifies the tag of the resulting image. By default it's <literal>null</literal>, which indicates that the nix output hash will be used as tag.
|
|
||||||
</para>
|
|
||||||
</callout>
|
|
||||||
<callout arearefs='ex-dockerTools-buildImage-3'>
|
|
||||||
<para>
|
|
||||||
<varname>fromImage</varname> is the repository tarball containing the base image. It must be a valid Docker image, such as exported by <command>docker save</command>. By default it's <literal>null</literal>, which can be seen as equivalent to <literal>FROM scratch</literal> of a <filename>Dockerfile</filename>.
|
|
||||||
</para>
|
|
||||||
</callout>
|
|
||||||
<callout arearefs='ex-dockerTools-buildImage-4'>
|
|
||||||
<para>
|
|
||||||
<varname>fromImageName</varname> can be used to further specify the base image within the repository, in case it contains multiple images. By default it's <literal>null</literal>, in which case <varname>buildImage</varname> will peek the first image available in the repository.
|
|
||||||
</para>
|
|
||||||
</callout>
|
|
||||||
<callout arearefs='ex-dockerTools-buildImage-5'>
|
|
||||||
<para>
|
|
||||||
<varname>fromImageTag</varname> can be used to further specify the tag of the base image within the repository, in case an image contains multiple tags. By default it's <literal>null</literal>, in which case <varname>buildImage</varname> will peek the first tag available for the base image.
|
|
||||||
</para>
|
|
||||||
</callout>
|
|
||||||
<callout arearefs='ex-dockerTools-buildImage-6'>
|
|
||||||
<para>
|
|
||||||
<varname>contents</varname> is a derivation that will be copied in the new layer of the resulting image. This can be similarly seen as <command>ADD contents/ /</command> in a <filename>Dockerfile</filename>. By default it's <literal>null</literal>.
|
|
||||||
</para>
|
|
||||||
</callout>
|
|
||||||
<callout arearefs='ex-dockerTools-buildImage-runAsRoot'>
|
|
||||||
<para>
|
|
||||||
<varname>runAsRoot</varname> is a bash script that will run as root in an environment that overlays the existing layers of the base image with the new resulting layer, including the previously copied <varname>contents</varname> derivation. This can be similarly seen as <command>RUN ...</command> in a <filename>Dockerfile</filename>.
|
|
||||||
<note>
|
|
||||||
<para>
|
|
||||||
Using this parameter requires the <literal>kvm</literal> device to be available.
|
|
||||||
</para>
|
|
||||||
</note>
|
|
||||||
</para>
|
|
||||||
</callout>
|
|
||||||
<callout arearefs='ex-dockerTools-buildImage-8'>
|
|
||||||
<para>
|
|
||||||
<varname>config</varname> is used to specify the configuration of the containers that will be started off the built image in Docker. The available options are listed in the <link xlink:href="https://github.com/moby/moby/blob/master/image/spec/v1.2.md#image-json-field-descriptions"> Docker Image Specification v1.2.0 </link>.
|
|
||||||
</para>
|
|
||||||
</callout>
|
|
||||||
</calloutlist>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
After the new layer has been created, its closure (to which <varname>contents</varname>, <varname>config</varname> and <varname>runAsRoot</varname> contribute) will be copied in the layer itself. Only new dependencies that are not already in the existing layers will be copied.
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
At the end of the process, only one new single layer will be produced and added to the resulting image.
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
The resulting repository will only list the single image <varname>image/tag</varname>. In the case of <xref linkend='ex-dockerTools-buildImage'/> it would be <varname>redis/latest</varname>.
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
It is possible to inspect the arguments with which an image was built using its <varname>buildArgs</varname> attribute.
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<note>
|
|
||||||
<para>
|
|
||||||
If you see errors similar to <literal>getProtocolByName: does not exist (no such protocol name: tcp)</literal> you may need to add <literal>pkgs.iana-etc</literal> to <varname>contents</varname>.
|
|
||||||
</para>
|
|
||||||
</note>
|
|
||||||
|
|
||||||
<note>
|
|
||||||
<para>
|
|
||||||
If you see errors similar to <literal>Error_Protocol ("certificate has unknown CA",True,UnknownCa)</literal> you may need to add <literal>pkgs.cacert</literal> to <varname>contents</varname>.
|
|
||||||
</para>
|
|
||||||
</note>
|
|
||||||
|
|
||||||
<example xml:id="example-pkgs-dockerTools-buildImage-creation-date">
|
|
||||||
<title>Impurely Defining a Docker Layer's Creation Date</title>
|
|
||||||
<para>
|
|
||||||
By default <function>buildImage</function> will use a static date of one second past the UNIX Epoch. This allows <function>buildImage</function> to produce binary reproducible images. When listing images with <command>docker images</command>, the newly created images will be listed like this:
|
|
||||||
</para>
|
|
||||||
<screen>
|
|
||||||
<prompt>$ </prompt>docker images
|
|
||||||
REPOSITORY TAG IMAGE ID CREATED SIZE
|
|
||||||
hello latest 08c791c7846e 48 years ago 25.2MB
|
|
||||||
</screen>
|
|
||||||
<para>
|
|
||||||
You can break binary reproducibility but have a sorted, meaningful <literal>CREATED</literal> column by setting <literal>created</literal> to <literal>now</literal>.
|
|
||||||
</para>
|
|
||||||
<programlisting><![CDATA[
|
|
||||||
pkgs.dockerTools.buildImage {
|
|
||||||
name = "hello";
|
|
||||||
tag = "latest";
|
|
||||||
created = "now";
|
|
||||||
contents = pkgs.hello;
|
|
||||||
|
|
||||||
config.Cmd = [ "/bin/hello" ];
|
|
||||||
}
|
|
||||||
]]></programlisting>
|
|
||||||
<para>
|
|
||||||
and now the Docker CLI will display a reasonable date and sort the images as expected:
|
|
||||||
<screen>
|
|
||||||
<prompt>$ </prompt>docker images
|
|
||||||
REPOSITORY TAG IMAGE ID CREATED SIZE
|
|
||||||
hello latest de2bf4786de6 About a minute ago 25.2MB
|
|
||||||
</screen>
|
|
||||||
however, the produced images will not be binary reproducible.
|
|
||||||
</para>
|
|
||||||
</example>
|
|
||||||
</section>
|
|
||||||
|
|
||||||
<section xml:id="ssec-pkgs-dockerTools-buildLayeredImage">
|
|
||||||
<title>buildLayeredImage</title>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
Create a Docker image with many of the store paths being on their own layer to improve sharing between images. The image is realized into the Nix store as a gzipped tarball. Depending on the intended usage, many users might prefer to use <function>streamLayeredImage</function> instead, which this function uses internally.
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<variablelist>
|
|
||||||
<varlistentry>
|
|
||||||
<term>
|
|
||||||
<varname>name</varname>
|
|
||||||
</term>
|
|
||||||
<listitem>
|
|
||||||
<para>
|
|
||||||
The name of the resulting image.
|
|
||||||
</para>
|
|
||||||
</listitem>
|
|
||||||
</varlistentry>
|
|
||||||
<varlistentry>
|
|
||||||
<term>
|
|
||||||
<varname>tag</varname> <emphasis>optional</emphasis>
|
|
||||||
</term>
|
|
||||||
<listitem>
|
|
||||||
<para>
|
|
||||||
Tag of the generated image.
|
|
||||||
</para>
|
|
||||||
<para>
|
|
||||||
<emphasis>Default:</emphasis> the output path's hash
|
|
||||||
</para>
|
|
||||||
</listitem>
|
|
||||||
</varlistentry>
|
|
||||||
<varlistentry>
|
|
||||||
<term>
|
|
||||||
<varname>contents</varname> <emphasis>optional</emphasis>
|
|
||||||
</term>
|
|
||||||
<listitem>
|
|
||||||
<para>
|
|
||||||
Top level paths in the container. Either a single derivation, or a list of derivations.
|
|
||||||
</para>
|
|
||||||
<para>
|
|
||||||
<emphasis>Default:</emphasis> <literal>[]</literal>
|
|
||||||
</para>
|
|
||||||
</listitem>
|
|
||||||
</varlistentry>
|
|
||||||
<varlistentry>
|
|
||||||
<term>
|
|
||||||
<varname>config</varname> <emphasis>optional</emphasis>
|
|
||||||
</term>
|
|
||||||
<listitem>
|
|
||||||
<para>
|
|
||||||
Run-time configuration of the container. A full list of the options are available at in the <link xlink:href="https://github.com/moby/moby/blob/master/image/spec/v1.2.md#image-json-field-descriptions"> Docker Image Specification v1.2.0 </link>.
|
|
||||||
</para>
|
|
||||||
<para>
|
|
||||||
<emphasis>Default:</emphasis> <literal>{}</literal>
|
|
||||||
</para>
|
|
||||||
</listitem>
|
|
||||||
</varlistentry>
|
|
||||||
<varlistentry>
|
|
||||||
<term>
|
|
||||||
<varname>created</varname> <emphasis>optional</emphasis>
|
|
||||||
</term>
|
|
||||||
<listitem>
|
|
||||||
<para>
|
|
||||||
Date and time the layers were created. Follows the same <literal>now</literal> exception supported by <literal>buildImage</literal>.
|
|
||||||
</para>
|
|
||||||
<para>
|
|
||||||
<emphasis>Default:</emphasis> <literal>1970-01-01T00:00:01Z</literal>
|
|
||||||
</para>
|
|
||||||
</listitem>
|
|
||||||
</varlistentry>
|
|
||||||
<varlistentry>
|
|
||||||
<term>
|
|
||||||
<varname>maxLayers</varname> <emphasis>optional</emphasis>
|
|
||||||
</term>
|
|
||||||
<listitem>
|
|
||||||
<para>
|
|
||||||
Maximum number of layers to create.
|
|
||||||
</para>
|
|
||||||
<para>
|
|
||||||
<emphasis>Default:</emphasis> <literal>100</literal>
|
|
||||||
</para>
|
|
||||||
<para>
|
|
||||||
<emphasis>Maximum:</emphasis> <literal>125</literal>
|
|
||||||
</para>
|
|
||||||
</listitem>
|
|
||||||
</varlistentry>
|
|
||||||
<varlistentry>
|
|
||||||
<term>
|
|
||||||
<varname>extraCommands</varname> <emphasis>optional</emphasis>
|
|
||||||
</term>
|
|
||||||
<listitem>
|
|
||||||
<para>
|
|
||||||
Shell commands to run while building the final layer, without access to most of the layer contents. Changes to this layer are "on top" of all the other layers, so can create additional directories and files.
|
|
||||||
</para>
|
|
||||||
</listitem>
|
|
||||||
</varlistentry>
|
|
||||||
</variablelist>
|
|
||||||
|
|
||||||
<section xml:id="dockerTools-buildLayeredImage-arg-contents">
|
|
||||||
<title>Behavior of <varname>contents</varname> in the final image</title>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
Each path directly listed in <varname>contents</varname> will have a symlink in the root of the image.
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
For example:
|
|
||||||
<programlisting><![CDATA[
|
|
||||||
pkgs.dockerTools.buildLayeredImage {
|
|
||||||
name = "hello";
|
|
||||||
contents = [ pkgs.hello ];
|
|
||||||
}
|
|
||||||
]]></programlisting>
|
|
||||||
will create symlinks for all the paths in the <literal>hello</literal> package:
|
|
||||||
<screen><![CDATA[
|
|
||||||
/bin/hello -> /nix/store/h1zb1padqbbb7jicsvkmrym3r6snphxg-hello-2.10/bin/hello
|
|
||||||
/share/info/hello.info -> /nix/store/h1zb1padqbbb7jicsvkmrym3r6snphxg-hello-2.10/share/info/hello.info
|
|
||||||
/share/locale/bg/LC_MESSAGES/hello.mo -> /nix/store/h1zb1padqbbb7jicsvkmrym3r6snphxg-hello-2.10/share/locale/bg/LC_MESSAGES/hello.mo
|
|
||||||
]]></screen>
|
|
||||||
</para>
|
|
||||||
</section>
|
|
||||||
|
|
||||||
<section xml:id="dockerTools-buildLayeredImage-arg-config">
|
|
||||||
<title>Automatic inclusion of <varname>config</varname> references</title>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
The closure of <varname>config</varname> is automatically included in the closure of the final image.
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
This allows you to make very simple Docker images with very little code. This container will start up and run <command>hello</command>:
|
|
||||||
<programlisting><![CDATA[
|
|
||||||
pkgs.dockerTools.buildLayeredImage {
|
|
||||||
name = "hello";
|
|
||||||
config.Cmd = [ "${pkgs.hello}/bin/hello" ];
|
|
||||||
}
|
|
||||||
]]></programlisting>
|
|
||||||
</para>
|
|
||||||
</section>
|
|
||||||
|
|
||||||
<section xml:id="dockerTools-buildLayeredImage-arg-maxLayers">
|
|
||||||
<title>Adjusting <varname>maxLayers</varname></title>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
Increasing the <varname>maxLayers</varname> increases the number of layers which have a chance to be shared between different images.
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
Modern Docker installations support up to 128 layers, however older versions support as few as 42.
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
If the produced image will not be extended by other Docker builds, it is safe to set <varname>maxLayers</varname> to <literal>128</literal>. However it will be impossible to extend the image further.
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
The first (<literal>maxLayers-2</literal>) most "popular" paths will have their own individual layers, then layer #<literal>maxLayers-1</literal> will contain all the remaining "unpopular" paths, and finally layer #<literal>maxLayers</literal> will contain the Image configuration.
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
Docker's Layers are not inherently ordered, they are content-addressable and are not explicitly layered until they are composed in to an Image.
|
|
||||||
</para>
|
|
||||||
</section>
|
|
||||||
</section>
|
|
||||||
|
|
||||||
<section xml:id="ssec-pkgs-dockerTools-streamLayeredImage">
|
|
||||||
<title>streamLayeredImage</title>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
Builds a script which, when run, will stream an uncompressed tarball of a Docker image to stdout. The arguments to this function are as for <function>buildLayeredImage</function>. This method of constructing an image does not realize the image into the Nix store, so it saves on IO and disk/cache space, particularly with large images.
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
The image produced by running the output script can be piped directly into <command>docker load</command>, to load it into the local docker daemon:
|
|
||||||
<screen><![CDATA[
|
|
||||||
$(nix-build) | docker load
|
|
||||||
]]></screen>
|
|
||||||
</para>
|
|
||||||
<para>
|
|
||||||
Alternatively, the image be piped via <command>gzip</command> into <command>skopeo</command>, e.g. to copy it into a registry:
|
|
||||||
<screen><![CDATA[
|
|
||||||
$(nix-build) | gzip --fast | skopeo copy docker-archive:/dev/stdin docker://some_docker_registry/myimage:tag
|
|
||||||
]]></screen>
|
|
||||||
</para>
|
|
||||||
</section>
|
|
||||||
|
|
||||||
<section xml:id="ssec-pkgs-dockerTools-fetchFromRegistry">
|
|
||||||
<title>pullImage</title>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
This function is analogous to the <command>docker pull</command> command, in that it can be used to pull a Docker image from a Docker registry. By default <link xlink:href="https://hub.docker.com/">Docker Hub</link> is used to pull images.
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
Its parameters are described in the example below:
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<example xml:id='ex-dockerTools-pullImage'>
|
|
||||||
<title>Docker pull</title>
|
|
||||||
<programlisting>
|
|
||||||
pullImage {
|
|
||||||
imageName = "nixos/nix"; <co xml:id='ex-dockerTools-pullImage-1' />
|
|
||||||
imageDigest = "sha256:20d9485b25ecfd89204e843a962c1bd70e9cc6858d65d7f5fadc340246e2116b"; <co xml:id='ex-dockerTools-pullImage-2' />
|
|
||||||
finalImageName = "nix"; <co xml:id='ex-dockerTools-pullImage-3' />
|
|
||||||
finalImageTag = "1.11"; <co xml:id='ex-dockerTools-pullImage-4' />
|
|
||||||
sha256 = "0mqjy3zq2v6rrhizgb9nvhczl87lcfphq9601wcprdika2jz7qh8"; <co xml:id='ex-dockerTools-pullImage-5' />
|
|
||||||
os = "linux"; <co xml:id='ex-dockerTools-pullImage-6' />
|
|
||||||
arch = "x86_64"; <co xml:id='ex-dockerTools-pullImage-7' />
|
|
||||||
}
|
|
||||||
</programlisting>
|
|
||||||
</example>
|
|
||||||
|
|
||||||
<calloutlist>
|
|
||||||
<callout arearefs='ex-dockerTools-pullImage-1'>
|
|
||||||
<para>
|
|
||||||
<varname>imageName</varname> specifies the name of the image to be downloaded, which can also include the registry namespace (e.g. <literal>nixos</literal>). This argument is required.
|
|
||||||
</para>
|
|
||||||
</callout>
|
|
||||||
<callout arearefs='ex-dockerTools-pullImage-2'>
|
|
||||||
<para>
|
|
||||||
<varname>imageDigest</varname> specifies the digest of the image to be downloaded. This argument is required.
|
|
||||||
</para>
|
|
||||||
</callout>
|
|
||||||
<callout arearefs='ex-dockerTools-pullImage-3'>
|
|
||||||
<para>
|
|
||||||
<varname>finalImageName</varname>, if specified, this is the name of the image to be created. Note it is never used to fetch the image since we prefer to rely on the immutable digest ID. By default it's equal to <varname>imageName</varname>.
|
|
||||||
</para>
|
|
||||||
</callout>
|
|
||||||
<callout arearefs='ex-dockerTools-pullImage-4'>
|
|
||||||
<para>
|
|
||||||
<varname>finalImageTag</varname>, if specified, this is the tag of the image to be created. Note it is never used to fetch the image since we prefer to rely on the immutable digest ID. By default it's <literal>latest</literal>.
|
|
||||||
</para>
|
|
||||||
</callout>
|
|
||||||
<callout arearefs='ex-dockerTools-pullImage-5'>
|
|
||||||
<para>
|
|
||||||
<varname>sha256</varname> is the checksum of the whole fetched image. This argument is required.
|
|
||||||
</para>
|
|
||||||
</callout>
|
|
||||||
<callout arearefs='ex-dockerTools-pullImage-6'>
|
|
||||||
<para>
|
|
||||||
<varname>os</varname>, if specified, is the operating system of the fetched image. By default it's <literal>linux</literal>.
|
|
||||||
</para>
|
|
||||||
</callout>
|
|
||||||
<callout arearefs='ex-dockerTools-pullImage-7'>
|
|
||||||
<para>
|
|
||||||
<varname>arch</varname>, if specified, is the cpu architecture of the fetched image. By default it's <literal>x86_64</literal>.
|
|
||||||
</para>
|
|
||||||
</callout>
|
|
||||||
</calloutlist>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
<literal>nix-prefetch-docker</literal> command can be used to get required image parameters:
|
|
||||||
<screen>
|
|
||||||
<prompt>$ </prompt>nix run nixpkgs.nix-prefetch-docker -c nix-prefetch-docker --image-name mysql --image-tag 5
|
|
||||||
</screen>
|
|
||||||
Since a given <varname>imageName</varname> may transparently refer to a manifest list of images which support multiple architectures and/or operating systems, you can supply the <option>--os</option> and <option>--arch</option> arguments to specify exactly which image you want. By default it will match the OS and architecture of the host the command is run on.
|
|
||||||
<screen>
|
|
||||||
<prompt>$ </prompt>nix-prefetch-docker --image-name mysql --image-tag 5 --arch x86_64 --os linux
|
|
||||||
</screen>
|
|
||||||
Desired image name and tag can be set using <option>--final-image-name</option> and <option>--final-image-tag</option> arguments:
|
|
||||||
<screen>
|
|
||||||
<prompt>$ </prompt>nix-prefetch-docker --image-name mysql --image-tag 5 --final-image-name eu.gcr.io/my-project/mysql --final-image-tag prod
|
|
||||||
</screen>
|
|
||||||
</para>
|
|
||||||
</section>
|
|
||||||
|
|
||||||
<section xml:id="ssec-pkgs-dockerTools-exportImage">
|
|
||||||
<title>exportImage</title>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
This function is analogous to the <command>docker export</command> command, in that it can be used to flatten a Docker image that contains multiple layers. It is in fact the result of the merge of all the layers of the image. As such, the result is suitable for being imported in Docker with <command>docker import</command>.
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<note>
|
|
||||||
<para>
|
|
||||||
Using this function requires the <literal>kvm</literal> device to be available.
|
|
||||||
</para>
|
|
||||||
</note>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
The parameters of <varname>exportImage</varname> are the following:
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<example xml:id='ex-dockerTools-exportImage'>
|
|
||||||
<title>Docker export</title>
|
|
||||||
<programlisting>
|
|
||||||
exportImage {
|
|
||||||
fromImage = someLayeredImage;
|
|
||||||
fromImageName = null;
|
|
||||||
fromImageTag = null;
|
|
||||||
|
|
||||||
name = someLayeredImage.name;
|
|
||||||
}
|
|
||||||
</programlisting>
|
|
||||||
</example>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
The parameters relative to the base image have the same synopsis as described in <xref linkend='ssec-pkgs-dockerTools-buildImage'/>, except that <varname>fromImage</varname> is the only required argument in this case.
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
The <varname>name</varname> argument is the name of the derivation output, which defaults to <varname>fromImage.name</varname>.
|
|
||||||
</para>
|
|
||||||
</section>
|
|
||||||
|
|
||||||
<section xml:id="ssec-pkgs-dockerTools-shadowSetup">
|
|
||||||
<title>shadowSetup</title>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
This constant string is a helper for setting up the base files for managing users and groups, only if such files don't exist already. It is suitable for being used in a <varname>runAsRoot</varname> <xref linkend='ex-dockerTools-buildImage-runAsRoot'/> script for cases like in the example below:
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<example xml:id='ex-dockerTools-shadowSetup'>
|
|
||||||
<title>Shadow base files</title>
|
|
||||||
<programlisting>
|
|
||||||
buildImage {
|
|
||||||
name = "shadow-basic";
|
|
||||||
|
|
||||||
runAsRoot = ''
|
|
||||||
#!${pkgs.runtimeShell}
|
|
||||||
${shadowSetup}
|
|
||||||
groupadd -r redis
|
|
||||||
useradd -r -g redis redis
|
|
||||||
mkdir /data
|
|
||||||
chown redis:redis /data
|
|
||||||
'';
|
|
||||||
}
|
|
||||||
</programlisting>
|
|
||||||
</example>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
Creating base files like <literal>/etc/passwd</literal> or <literal>/etc/login.defs</literal> is necessary for shadow-utils to manipulate users and groups.
|
|
||||||
</para>
|
|
||||||
</section>
|
|
||||||
</section>
|
|
|
@ -273,7 +273,7 @@
|
||||||
name = "James Alexander Feldman-Crough";
|
name = "James Alexander Feldman-Crough";
|
||||||
};
|
};
|
||||||
aforemny = {
|
aforemny = {
|
||||||
email = "alexanderforemny@googlemail.com";
|
email = "aforemny@posteo.de";
|
||||||
github = "aforemny";
|
github = "aforemny";
|
||||||
githubId = 610962;
|
githubId = 610962;
|
||||||
name = "Alexander Foremny";
|
name = "Alexander Foremny";
|
||||||
|
@ -1711,6 +1711,12 @@
|
||||||
githubId = 2245737;
|
githubId = 2245737;
|
||||||
name = "Christopher Mark Poole";
|
name = "Christopher Mark Poole";
|
||||||
};
|
};
|
||||||
|
chuahou = {
|
||||||
|
email = "human+github@chuahou.dev";
|
||||||
|
github = "chuahou";
|
||||||
|
githubId = 12386805;
|
||||||
|
name = "Chua Hou";
|
||||||
|
};
|
||||||
chvp = {
|
chvp = {
|
||||||
email = "nixpkgs@cvpetegem.be";
|
email = "nixpkgs@cvpetegem.be";
|
||||||
github = "chvp";
|
github = "chvp";
|
||||||
|
@ -7441,6 +7447,16 @@
|
||||||
githubId = 103822;
|
githubId = 103822;
|
||||||
name = "Patrick Mahoney";
|
name = "Patrick Mahoney";
|
||||||
};
|
};
|
||||||
|
pmenke = {
|
||||||
|
email = "nixos@pmenke.de";
|
||||||
|
github = "pmenke-de";
|
||||||
|
githubId = 898922;
|
||||||
|
name = "Philipp Menke";
|
||||||
|
keys = [{
|
||||||
|
longkeyid = "rsa4096/0xEB7F2D4CCBE23B69";
|
||||||
|
fingerprint = "ED54 5EFD 64B6 B5AA EC61 8C16 EB7F 2D4C CBE2 3B69";
|
||||||
|
}];
|
||||||
|
};
|
||||||
pmeunier = {
|
pmeunier = {
|
||||||
email = "pierre-etienne.meunier@inria.fr";
|
email = "pierre-etienne.meunier@inria.fr";
|
||||||
github = "P-E-Meunier";
|
github = "P-E-Meunier";
|
||||||
|
@ -7471,6 +7487,16 @@
|
||||||
githubId = 11365056;
|
githubId = 11365056;
|
||||||
name = "Kevin Liu";
|
name = "Kevin Liu";
|
||||||
};
|
};
|
||||||
|
pnotequalnp = {
|
||||||
|
email = "kevin@pnotequalnp.com";
|
||||||
|
github = "pnotequalnp";
|
||||||
|
githubId = 46154511;
|
||||||
|
name = "Kevin Mullins";
|
||||||
|
keys = [{
|
||||||
|
longkeyid = "rsa4096/361820A45DB41E9A";
|
||||||
|
fingerprint = "2CD2 B030 BD22 32EF DF5A 008A 3618 20A4 5DB4 1E9A";
|
||||||
|
}];
|
||||||
|
};
|
||||||
polyrod = {
|
polyrod = {
|
||||||
email = "dc1mdp@gmail.com";
|
email = "dc1mdp@gmail.com";
|
||||||
github = "polyrod";
|
github = "polyrod";
|
||||||
|
@ -10778,6 +10804,16 @@
|
||||||
github = "pulsation";
|
github = "pulsation";
|
||||||
githubId = 1838397;
|
githubId = 1838397;
|
||||||
};
|
};
|
||||||
|
zseri = {
|
||||||
|
name = "zseri";
|
||||||
|
email = "zseri.devel@ytrizja.de";
|
||||||
|
github = "zseri";
|
||||||
|
githubId = 1618343;
|
||||||
|
keys = [{
|
||||||
|
longkeyid = "rsa4096/0x229E63AE5644A96D";
|
||||||
|
fingerprint = "7AFB C595 0D3A 77BD B00F 947B 229E 63AE 5644 A96D";
|
||||||
|
}];
|
||||||
|
};
|
||||||
zupo = {
|
zupo = {
|
||||||
name = "Nejc Zupan";
|
name = "Nejc Zupan";
|
||||||
email = "nejczupan+nix@gmail.com";
|
email = "nejczupan+nix@gmail.com";
|
||||||
|
|
|
@ -573,14 +573,16 @@ self: super:
|
||||||
</listitem>
|
</listitem>
|
||||||
<listitem>
|
<listitem>
|
||||||
<para>
|
<para>
|
||||||
The default-version of <literal>nextcloud</literal> is <package>nextcloud20</package>.
|
The default-version of <literal>nextcloud</literal> is <package>nextcloud21</package>.
|
||||||
Please note that it's <emphasis>not</emphasis> possible to upgrade <literal>nextcloud</literal>
|
Please note that it's <emphasis>not</emphasis> possible to upgrade <literal>nextcloud</literal>
|
||||||
across multiple major versions! This means that it's e.g. not possible to upgrade
|
across multiple major versions! This means that it's e.g. not possible to upgrade
|
||||||
from <package>nextcloud18</package> to <package>nextcloud20</package> in a single deploy.
|
from <package>nextcloud18</package> to <package>nextcloud20</package> in a single deploy and
|
||||||
|
most <literal>20.09</literal> users will have to upgrade to <package>nextcloud20</package>
|
||||||
|
first.
|
||||||
</para>
|
</para>
|
||||||
<para>
|
<para>
|
||||||
The package can be manually upgraded by setting <xref linkend="opt-services.nextcloud.package" />
|
The package can be manually upgraded by setting <xref linkend="opt-services.nextcloud.package" />
|
||||||
to <package>nextcloud20</package>.
|
to <package>nextcloud21</package>.
|
||||||
</para>
|
</para>
|
||||||
</listitem>
|
</listitem>
|
||||||
<listitem>
|
<listitem>
|
||||||
|
|
|
@ -513,6 +513,7 @@
|
||||||
./services/misc/paperless.nix
|
./services/misc/paperless.nix
|
||||||
./services/misc/parsoid.nix
|
./services/misc/parsoid.nix
|
||||||
./services/misc/plex.nix
|
./services/misc/plex.nix
|
||||||
|
./services/misc/plikd.nix
|
||||||
./services/misc/tautulli.nix
|
./services/misc/tautulli.nix
|
||||||
./services/misc/pinnwand.nix
|
./services/misc/pinnwand.nix
|
||||||
./services/misc/pykms.nix
|
./services/misc/pykms.nix
|
||||||
|
|
|
@ -89,6 +89,11 @@ in
|
||||||
example = "dbi:Pg:dbname=hydra;host=postgres.example.org;user=foo;";
|
example = "dbi:Pg:dbname=hydra;host=postgres.example.org;user=foo;";
|
||||||
description = ''
|
description = ''
|
||||||
The DBI string for Hydra database connection.
|
The DBI string for Hydra database connection.
|
||||||
|
|
||||||
|
NOTE: Attempts to set `application_name` will be overridden by
|
||||||
|
`hydra-TYPE` (where TYPE is e.g. `evaluator`, `queue-runner`,
|
||||||
|
etc.) in all hydra services to more easily distinguish where
|
||||||
|
queries are coming from.
|
||||||
'';
|
'';
|
||||||
};
|
};
|
||||||
|
|
||||||
|
@ -284,7 +289,9 @@ in
|
||||||
{ wantedBy = [ "multi-user.target" ];
|
{ wantedBy = [ "multi-user.target" ];
|
||||||
requires = optional haveLocalDB "postgresql.service";
|
requires = optional haveLocalDB "postgresql.service";
|
||||||
after = optional haveLocalDB "postgresql.service";
|
after = optional haveLocalDB "postgresql.service";
|
||||||
environment = env;
|
environment = env // {
|
||||||
|
HYDRA_DBI = "${env.HYDRA_DBI};application_name=hydra-init";
|
||||||
|
};
|
||||||
preStart = ''
|
preStart = ''
|
||||||
mkdir -p ${baseDir}
|
mkdir -p ${baseDir}
|
||||||
chown hydra.hydra ${baseDir}
|
chown hydra.hydra ${baseDir}
|
||||||
|
@ -339,7 +346,9 @@ in
|
||||||
{ wantedBy = [ "multi-user.target" ];
|
{ wantedBy = [ "multi-user.target" ];
|
||||||
requires = [ "hydra-init.service" ];
|
requires = [ "hydra-init.service" ];
|
||||||
after = [ "hydra-init.service" ];
|
after = [ "hydra-init.service" ];
|
||||||
environment = serverEnv;
|
environment = serverEnv // {
|
||||||
|
HYDRA_DBI = "${serverEnv.HYDRA_DBI};application_name=hydra-server";
|
||||||
|
};
|
||||||
restartTriggers = [ hydraConf ];
|
restartTriggers = [ hydraConf ];
|
||||||
serviceConfig =
|
serviceConfig =
|
||||||
{ ExecStart =
|
{ ExecStart =
|
||||||
|
@ -361,6 +370,7 @@ in
|
||||||
environment = env // {
|
environment = env // {
|
||||||
PGPASSFILE = "${baseDir}/pgpass-queue-runner"; # grrr
|
PGPASSFILE = "${baseDir}/pgpass-queue-runner"; # grrr
|
||||||
IN_SYSTEMD = "1"; # to get log severity levels
|
IN_SYSTEMD = "1"; # to get log severity levels
|
||||||
|
HYDRA_DBI = "${env.HYDRA_DBI};application_name=hydra-queue-runner";
|
||||||
};
|
};
|
||||||
serviceConfig =
|
serviceConfig =
|
||||||
{ ExecStart = "@${hydra-package}/bin/hydra-queue-runner hydra-queue-runner -v";
|
{ ExecStart = "@${hydra-package}/bin/hydra-queue-runner hydra-queue-runner -v";
|
||||||
|
@ -380,7 +390,9 @@ in
|
||||||
after = [ "hydra-init.service" "network.target" ];
|
after = [ "hydra-init.service" "network.target" ];
|
||||||
path = with pkgs; [ hydra-package nettools jq ];
|
path = with pkgs; [ hydra-package nettools jq ];
|
||||||
restartTriggers = [ hydraConf ];
|
restartTriggers = [ hydraConf ];
|
||||||
environment = env;
|
environment = env // {
|
||||||
|
HYDRA_DBI = "${env.HYDRA_DBI};application_name=hydra-evaluator";
|
||||||
|
};
|
||||||
serviceConfig =
|
serviceConfig =
|
||||||
{ ExecStart = "@${hydra-package}/bin/hydra-evaluator hydra-evaluator";
|
{ ExecStart = "@${hydra-package}/bin/hydra-evaluator hydra-evaluator";
|
||||||
User = "hydra";
|
User = "hydra";
|
||||||
|
@ -392,7 +404,9 @@ in
|
||||||
systemd.services.hydra-update-gc-roots =
|
systemd.services.hydra-update-gc-roots =
|
||||||
{ requires = [ "hydra-init.service" ];
|
{ requires = [ "hydra-init.service" ];
|
||||||
after = [ "hydra-init.service" ];
|
after = [ "hydra-init.service" ];
|
||||||
environment = env;
|
environment = env // {
|
||||||
|
HYDRA_DBI = "${env.HYDRA_DBI};application_name=hydra-update-gc-roots";
|
||||||
|
};
|
||||||
serviceConfig =
|
serviceConfig =
|
||||||
{ ExecStart = "@${hydra-package}/bin/hydra-update-gc-roots hydra-update-gc-roots";
|
{ ExecStart = "@${hydra-package}/bin/hydra-update-gc-roots hydra-update-gc-roots";
|
||||||
User = "hydra";
|
User = "hydra";
|
||||||
|
@ -403,7 +417,9 @@ in
|
||||||
systemd.services.hydra-send-stats =
|
systemd.services.hydra-send-stats =
|
||||||
{ wantedBy = [ "multi-user.target" ];
|
{ wantedBy = [ "multi-user.target" ];
|
||||||
after = [ "hydra-init.service" ];
|
after = [ "hydra-init.service" ];
|
||||||
environment = env;
|
environment = env // {
|
||||||
|
HYDRA_DBI = "${env.HYDRA_DBI};application_name=hydra-send-stats";
|
||||||
|
};
|
||||||
serviceConfig =
|
serviceConfig =
|
||||||
{ ExecStart = "@${hydra-package}/bin/hydra-send-stats hydra-send-stats";
|
{ ExecStart = "@${hydra-package}/bin/hydra-send-stats hydra-send-stats";
|
||||||
User = "hydra";
|
User = "hydra";
|
||||||
|
@ -417,6 +433,7 @@ in
|
||||||
restartTriggers = [ hydraConf ];
|
restartTriggers = [ hydraConf ];
|
||||||
environment = env // {
|
environment = env // {
|
||||||
PGPASSFILE = "${baseDir}/pgpass-queue-runner";
|
PGPASSFILE = "${baseDir}/pgpass-queue-runner";
|
||||||
|
HYDRA_DBI = "${env.HYDRA_DBI};application_name=hydra-notify";
|
||||||
};
|
};
|
||||||
serviceConfig =
|
serviceConfig =
|
||||||
{ ExecStart = "@${hydra-package}/bin/hydra-notify hydra-notify";
|
{ ExecStart = "@${hydra-package}/bin/hydra-notify hydra-notify";
|
||||||
|
|
|
@ -0,0 +1,82 @@
|
||||||
|
{ config, pkgs, lib, ... }:
|
||||||
|
|
||||||
|
with lib;
|
||||||
|
|
||||||
|
let
|
||||||
|
cfg = config.services.plikd;
|
||||||
|
|
||||||
|
format = pkgs.formats.toml {};
|
||||||
|
plikdCfg = format.generate "plikd.cfg" cfg.settings;
|
||||||
|
in
|
||||||
|
{
|
||||||
|
options = {
|
||||||
|
services.plikd = {
|
||||||
|
enable = mkEnableOption "the plikd server";
|
||||||
|
|
||||||
|
openFirewall = mkOption {
|
||||||
|
type = types.bool;
|
||||||
|
default = false;
|
||||||
|
description = "Open ports in the firewall for the plikd.";
|
||||||
|
};
|
||||||
|
|
||||||
|
settings = mkOption {
|
||||||
|
type = format.type;
|
||||||
|
default = {};
|
||||||
|
description = ''
|
||||||
|
Configuration for plikd, see <link xlink:href="https://github.com/root-gg/plik/blob/master/server/plikd.cfg"/>
|
||||||
|
for supported values.
|
||||||
|
'';
|
||||||
|
};
|
||||||
|
};
|
||||||
|
};
|
||||||
|
|
||||||
|
config = mkIf cfg.enable {
|
||||||
|
services.plikd.settings = mapAttrs (name: mkDefault) {
|
||||||
|
ListenPort = 8080;
|
||||||
|
ListenAddress = "localhost";
|
||||||
|
DataBackend = "file";
|
||||||
|
DataBackendConfig = {
|
||||||
|
Directory = "/var/lib/plikd";
|
||||||
|
};
|
||||||
|
MetadataBackendConfig = {
|
||||||
|
Driver = "sqlite3";
|
||||||
|
ConnectionString = "/var/lib/plikd/plik.db";
|
||||||
|
};
|
||||||
|
};
|
||||||
|
|
||||||
|
systemd.services.plikd = {
|
||||||
|
description = "Plikd file sharing server";
|
||||||
|
after = [ "network.target" ];
|
||||||
|
wantedBy = [ "multi-user.target" ];
|
||||||
|
serviceConfig = {
|
||||||
|
Type = "simple";
|
||||||
|
ExecStart = "${pkgs.plikd}/bin/plikd --config ${plikdCfg}";
|
||||||
|
Restart = "on-failure";
|
||||||
|
StateDirectory = "plikd";
|
||||||
|
LogsDirectory = "plikd";
|
||||||
|
DynamicUser = true;
|
||||||
|
|
||||||
|
# Basic hardening
|
||||||
|
NoNewPrivileges = "yes";
|
||||||
|
PrivateTmp = "yes";
|
||||||
|
PrivateDevices = "yes";
|
||||||
|
DevicePolicy = "closed";
|
||||||
|
ProtectSystem = "strict";
|
||||||
|
ProtectHome = "read-only";
|
||||||
|
ProtectControlGroups = "yes";
|
||||||
|
ProtectKernelModules = "yes";
|
||||||
|
ProtectKernelTunables = "yes";
|
||||||
|
RestrictAddressFamilies = "AF_UNIX AF_INET AF_INET6 AF_NETLINK";
|
||||||
|
RestrictNamespaces = "yes";
|
||||||
|
RestrictRealtime = "yes";
|
||||||
|
RestrictSUIDSGID = "yes";
|
||||||
|
MemoryDenyWriteExecute = "yes";
|
||||||
|
LockPersonality = "yes";
|
||||||
|
};
|
||||||
|
};
|
||||||
|
|
||||||
|
networking.firewall = mkIf cfg.openFirewall {
|
||||||
|
allowedTCPPorts = [ cfg.settings.ListenPort ];
|
||||||
|
};
|
||||||
|
};
|
||||||
|
}
|
|
@ -316,7 +316,7 @@ in
|
||||||
client = {
|
client = {
|
||||||
enable = mkEnableOption "Ceph client configuration";
|
enable = mkEnableOption "Ceph client configuration";
|
||||||
extraConfig = mkOption {
|
extraConfig = mkOption {
|
||||||
type = with types; attrsOf str;
|
type = with types; attrsOf (attrsOf str);
|
||||||
default = {};
|
default = {};
|
||||||
example = ''
|
example = ''
|
||||||
{
|
{
|
||||||
|
|
|
@ -28,7 +28,10 @@ let
|
||||||
upload_max_filesize = cfg.maxUploadSize;
|
upload_max_filesize = cfg.maxUploadSize;
|
||||||
post_max_size = cfg.maxUploadSize;
|
post_max_size = cfg.maxUploadSize;
|
||||||
memory_limit = cfg.maxUploadSize;
|
memory_limit = cfg.maxUploadSize;
|
||||||
} // cfg.phpOptions;
|
} // cfg.phpOptions
|
||||||
|
// optionalAttrs cfg.caching.apcu {
|
||||||
|
"apc.enable_cli" = "1";
|
||||||
|
};
|
||||||
|
|
||||||
occ = pkgs.writeScriptBin "nextcloud-occ" ''
|
occ = pkgs.writeScriptBin "nextcloud-occ" ''
|
||||||
#! ${pkgs.runtimeShell}
|
#! ${pkgs.runtimeShell}
|
||||||
|
@ -86,7 +89,7 @@ in {
|
||||||
package = mkOption {
|
package = mkOption {
|
||||||
type = types.package;
|
type = types.package;
|
||||||
description = "Which package to use for the Nextcloud instance.";
|
description = "Which package to use for the Nextcloud instance.";
|
||||||
relatedPackages = [ "nextcloud18" "nextcloud19" "nextcloud20" ];
|
relatedPackages = [ "nextcloud19" "nextcloud20" "nextcloud21" ];
|
||||||
};
|
};
|
||||||
|
|
||||||
maxUploadSize = mkOption {
|
maxUploadSize = mkOption {
|
||||||
|
@ -280,6 +283,24 @@ in {
|
||||||
may be served via HTTPS.
|
may be served via HTTPS.
|
||||||
'';
|
'';
|
||||||
};
|
};
|
||||||
|
|
||||||
|
defaultPhoneRegion = mkOption {
|
||||||
|
default = null;
|
||||||
|
type = types.nullOr types.str;
|
||||||
|
example = "DE";
|
||||||
|
description = ''
|
||||||
|
<warning>
|
||||||
|
<para>This option exists since Nextcloud 21! If older versions are used,
|
||||||
|
this will throw an eval-error!</para>
|
||||||
|
</warning>
|
||||||
|
|
||||||
|
<link xlink:href="https://www.iso.org/iso-3166-country-codes.html">ISO 3611-1</link>
|
||||||
|
country codes for automatic phone-number detection without a country code.
|
||||||
|
|
||||||
|
With e.g. <literal>DE</literal> set, the <literal>+49</literal> can be omitted for
|
||||||
|
phone-numbers.
|
||||||
|
'';
|
||||||
|
};
|
||||||
};
|
};
|
||||||
|
|
||||||
caching = {
|
caching = {
|
||||||
|
@ -345,10 +366,13 @@ in {
|
||||||
&& !(acfg.adminpass != null && acfg.adminpassFile != null));
|
&& !(acfg.adminpass != null && acfg.adminpassFile != null));
|
||||||
message = "Please specify exactly one of adminpass or adminpassFile";
|
message = "Please specify exactly one of adminpass or adminpassFile";
|
||||||
}
|
}
|
||||||
|
{ assertion = versionOlder cfg.package.version "21" -> cfg.config.defaultPhoneRegion == null;
|
||||||
|
message = "The `defaultPhoneRegion'-setting is only supported for Nextcloud >=21!";
|
||||||
|
}
|
||||||
];
|
];
|
||||||
|
|
||||||
warnings = let
|
warnings = let
|
||||||
latest = 20;
|
latest = 21;
|
||||||
upgradeWarning = major: nixos:
|
upgradeWarning = major: nixos:
|
||||||
''
|
''
|
||||||
A legacy Nextcloud install (from before NixOS ${nixos}) may be installed.
|
A legacy Nextcloud install (from before NixOS ${nixos}) may be installed.
|
||||||
|
@ -366,9 +390,9 @@ in {
|
||||||
Using config.services.nextcloud.poolConfig is deprecated and will become unsupported in a future release.
|
Using config.services.nextcloud.poolConfig is deprecated and will become unsupported in a future release.
|
||||||
Please migrate your configuration to config.services.nextcloud.poolSettings.
|
Please migrate your configuration to config.services.nextcloud.poolSettings.
|
||||||
'')
|
'')
|
||||||
++ (optional (versionOlder cfg.package.version "18") (upgradeWarning 17 "20.03"))
|
|
||||||
++ (optional (versionOlder cfg.package.version "19") (upgradeWarning 18 "20.09"))
|
++ (optional (versionOlder cfg.package.version "19") (upgradeWarning 18 "20.09"))
|
||||||
++ (optional (versionOlder cfg.package.version "20") (upgradeWarning 19 "21.05"));
|
++ (optional (versionOlder cfg.package.version "20") (upgradeWarning 19 "21.05"))
|
||||||
|
++ (optional (versionOlder cfg.package.version "21") (upgradeWarning 20 "21.05"));
|
||||||
|
|
||||||
services.nextcloud.package = with pkgs;
|
services.nextcloud.package = with pkgs;
|
||||||
mkDefault (
|
mkDefault (
|
||||||
|
@ -378,14 +402,13 @@ in {
|
||||||
nextcloud defined in an overlay, please set `services.nextcloud.package` to
|
nextcloud defined in an overlay, please set `services.nextcloud.package` to
|
||||||
`pkgs.nextcloud`.
|
`pkgs.nextcloud`.
|
||||||
''
|
''
|
||||||
else if versionOlder stateVersion "20.03" then nextcloud17
|
|
||||||
else if versionOlder stateVersion "20.09" then nextcloud18
|
else if versionOlder stateVersion "20.09" then nextcloud18
|
||||||
# 21.03 will not be an official release - it was instead 21.05.
|
# 21.03 will not be an official release - it was instead 21.05.
|
||||||
# This versionOlder statement remains set to 21.03 for backwards compatibility.
|
# This versionOlder statement remains set to 21.03 for backwards compatibility.
|
||||||
# See https://github.com/NixOS/nixpkgs/pull/108899 and
|
# See https://github.com/NixOS/nixpkgs/pull/108899 and
|
||||||
# https://github.com/NixOS/rfcs/blob/master/rfcs/0080-nixos-release-schedule.md.
|
# https://github.com/NixOS/rfcs/blob/master/rfcs/0080-nixos-release-schedule.md.
|
||||||
else if versionOlder stateVersion "21.03" then nextcloud19
|
else if versionOlder stateVersion "21.03" then nextcloud19
|
||||||
else nextcloud20
|
else nextcloud21
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -443,6 +466,7 @@ in {
|
||||||
'dbtype' => '${c.dbtype}',
|
'dbtype' => '${c.dbtype}',
|
||||||
'trusted_domains' => ${writePhpArrary ([ cfg.hostName ] ++ c.extraTrustedDomains)},
|
'trusted_domains' => ${writePhpArrary ([ cfg.hostName ] ++ c.extraTrustedDomains)},
|
||||||
'trusted_proxies' => ${writePhpArrary (c.trustedProxies)},
|
'trusted_proxies' => ${writePhpArrary (c.trustedProxies)},
|
||||||
|
${optionalString (c.defaultPhoneRegion != null) "'default_phone_region' => '${c.defaultPhoneRegion}',"}
|
||||||
];
|
];
|
||||||
'';
|
'';
|
||||||
occInstallCmd = let
|
occInstallCmd = let
|
||||||
|
@ -591,6 +615,14 @@ in {
|
||||||
access_log off;
|
access_log off;
|
||||||
'';
|
'';
|
||||||
};
|
};
|
||||||
|
"= /" = {
|
||||||
|
priority = 100;
|
||||||
|
extraConfig = ''
|
||||||
|
if ( $http_user_agent ~ ^DavClnt ) {
|
||||||
|
return 302 /remote.php/webdav/$is_args$args;
|
||||||
|
}
|
||||||
|
'';
|
||||||
|
};
|
||||||
"/" = {
|
"/" = {
|
||||||
priority = 900;
|
priority = 900;
|
||||||
extraConfig = "rewrite ^ /index.php;";
|
extraConfig = "rewrite ^ /index.php;";
|
||||||
|
@ -609,6 +641,9 @@ in {
|
||||||
location = /.well-known/caldav {
|
location = /.well-known/caldav {
|
||||||
return 301 /remote.php/dav;
|
return 301 /remote.php/dav;
|
||||||
}
|
}
|
||||||
|
location ~ ^/\.well-known/(?!acme-challenge|pki-validation) {
|
||||||
|
return 301 /index.php$request_uri;
|
||||||
|
}
|
||||||
try_files $uri $uri/ =404;
|
try_files $uri $uri/ =404;
|
||||||
'';
|
'';
|
||||||
};
|
};
|
||||||
|
|
|
@ -11,7 +11,7 @@
|
||||||
desktop client is packaged at <literal>pkgs.nextcloud-client</literal>.
|
desktop client is packaged at <literal>pkgs.nextcloud-client</literal>.
|
||||||
</para>
|
</para>
|
||||||
<para>
|
<para>
|
||||||
The current default by NixOS is <package>nextcloud20</package> which is also the latest
|
The current default by NixOS is <package>nextcloud21</package> which is also the latest
|
||||||
major version available.
|
major version available.
|
||||||
</para>
|
</para>
|
||||||
<section xml:id="module-services-nextcloud-basic-usage">
|
<section xml:id="module-services-nextcloud-basic-usage">
|
||||||
|
|
|
@ -313,6 +313,7 @@ in
|
||||||
pinnwand = handleTest ./pinnwand.nix {};
|
pinnwand = handleTest ./pinnwand.nix {};
|
||||||
plasma5 = handleTest ./plasma5.nix {};
|
plasma5 = handleTest ./plasma5.nix {};
|
||||||
pleroma = handleTestOn [ "x86_64-linux" "aarch64-linux" ] ./pleroma.nix {};
|
pleroma = handleTestOn [ "x86_64-linux" "aarch64-linux" ] ./pleroma.nix {};
|
||||||
|
plikd = handleTest ./plikd.nix {};
|
||||||
plotinus = handleTest ./plotinus.nix {};
|
plotinus = handleTest ./plotinus.nix {};
|
||||||
podman = handleTestOn ["x86_64-linux"] ./podman.nix {};
|
podman = handleTestOn ["x86_64-linux"] ./podman.nix {};
|
||||||
postfix = handleTest ./postfix.nix {};
|
postfix = handleTest ./postfix.nix {};
|
||||||
|
|
|
@ -2,8 +2,14 @@
|
||||||
, config ? {}
|
, config ? {}
|
||||||
, pkgs ? import ../../.. { inherit system config; }
|
, pkgs ? import ../../.. { inherit system config; }
|
||||||
, php ? pkgs.php
|
, php ? pkgs.php
|
||||||
}: {
|
}:
|
||||||
fpm = import ./fpm.nix { inherit system pkgs php; };
|
|
||||||
httpd = import ./httpd.nix { inherit system pkgs php; };
|
let
|
||||||
pcre = import ./pcre.nix { inherit system pkgs php; };
|
php' = php.buildEnv {
|
||||||
|
extensions = { enabled, all }: with all; enabled ++ [ apcu ];
|
||||||
|
};
|
||||||
|
in {
|
||||||
|
fpm = import ./fpm.nix { inherit system pkgs; php = php'; };
|
||||||
|
httpd = import ./httpd.nix { inherit system pkgs; php = php'; };
|
||||||
|
pcre = import ./pcre.nix { inherit system pkgs; php = php'; };
|
||||||
}
|
}
|
||||||
|
|
|
@ -3,6 +3,8 @@ import ../make-test-python.nix ({pkgs, lib, php, ...}: {
|
||||||
meta.maintainers = lib.teams.php.members;
|
meta.maintainers = lib.teams.php.members;
|
||||||
|
|
||||||
machine = { config, lib, pkgs, ... }: {
|
machine = { config, lib, pkgs, ... }: {
|
||||||
|
environment.systemPackages = [ php ];
|
||||||
|
|
||||||
services.nginx = {
|
services.nginx = {
|
||||||
enable = true;
|
enable = true;
|
||||||
|
|
||||||
|
@ -48,7 +50,8 @@ import ../make-test-python.nix ({pkgs, lib, php, ...}: {
|
||||||
assert "PHP Version ${php.version}" in response, "PHP version not detected"
|
assert "PHP Version ${php.version}" in response, "PHP version not detected"
|
||||||
|
|
||||||
# Check so we have database and some other extensions loaded
|
# Check so we have database and some other extensions loaded
|
||||||
for ext in ["json", "opcache", "pdo_mysql", "pdo_pgsql", "pdo_sqlite"]:
|
for ext in ["json", "opcache", "pdo_mysql", "pdo_pgsql", "pdo_sqlite", "apcu"]:
|
||||||
assert ext in response, f"Missing {ext} extension"
|
assert ext in response, f"Missing {ext} extension"
|
||||||
|
machine.succeed(f'test -n "$(php -m | grep -i {ext})"')
|
||||||
'';
|
'';
|
||||||
})
|
})
|
||||||
|
|
|
@ -0,0 +1,27 @@
|
||||||
|
import ./make-test-python.nix ({ lib, ... }: {
|
||||||
|
name = "plikd";
|
||||||
|
meta = with lib.maintainers; {
|
||||||
|
maintainers = [ freezeboy ];
|
||||||
|
};
|
||||||
|
|
||||||
|
machine = { pkgs, ... }: let
|
||||||
|
in {
|
||||||
|
services.plikd.enable = true;
|
||||||
|
environment.systemPackages = [ pkgs.plik ];
|
||||||
|
};
|
||||||
|
|
||||||
|
testScript = ''
|
||||||
|
# Service basic test
|
||||||
|
machine.wait_for_unit("plikd")
|
||||||
|
|
||||||
|
# Network test
|
||||||
|
machine.wait_for_open_port("8080")
|
||||||
|
machine.succeed("curl --fail -v http://localhost:8080")
|
||||||
|
|
||||||
|
# Application test
|
||||||
|
machine.execute("echo test > /tmp/data.txt")
|
||||||
|
machine.succeed("plik --server http://localhost:8080 /tmp/data.txt | grep curl")
|
||||||
|
|
||||||
|
machine.succeed("diff data.txt /tmp/data.txt")
|
||||||
|
'';
|
||||||
|
})
|
|
@ -13,13 +13,13 @@
|
||||||
|
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
pname = "ft2-clone";
|
pname = "ft2-clone";
|
||||||
version = "1.43";
|
version = "1.44_fix";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "8bitbubsy";
|
owner = "8bitbubsy";
|
||||||
repo = "ft2-clone";
|
repo = "ft2-clone";
|
||||||
rev = "v${version}";
|
rev = "v${version}";
|
||||||
sha256 = "sha256-OIQk7ngg1wsB6DFcxhrviPGlhzdaAWBi9C2roSNg1eI=";
|
sha256 = "sha256-2HhG2cDzAvpSm655M1KQnjbfVvqqOZDz2ty7xnttskA=";
|
||||||
};
|
};
|
||||||
|
|
||||||
# Adapt the linux-only CMakeLists to darwin (more reliable than make-macos.sh)
|
# Adapt the linux-only CMakeLists to darwin (more reliable than make-macos.sh)
|
||||||
|
|
|
@ -8,17 +8,17 @@ let
|
||||||
|
|
||||||
in buildGoModule rec {
|
in buildGoModule rec {
|
||||||
pname = "go-ethereum";
|
pname = "go-ethereum";
|
||||||
version = "1.9.25";
|
version = "1.10.0";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "ethereum";
|
owner = "ethereum";
|
||||||
repo = pname;
|
repo = pname;
|
||||||
rev = "v${version}";
|
rev = "v${version}";
|
||||||
sha256 = "0cbgqs17agwdap4g37sb2g6mhyn7qkqbjk7kwb5jvj8nbi5n3kbd";
|
sha256 = "sha256-pEzaEpqr+Ird8d5zmoXMyAoS0aEGBYFmpgdPcH4OsMI=";
|
||||||
};
|
};
|
||||||
|
|
||||||
runVend = true;
|
runVend = true;
|
||||||
vendorSha256 = "08wgah8gxb5bscm5ca6zkfgssnmw2y2l6k9gfw7gbxyflsx74lya";
|
vendorSha256 = "sha256-DgyOvplk1JWn6D/z4zbXHLNLuAVQ5beEHi0NuSv236A=";
|
||||||
|
|
||||||
doCheck = false;
|
doCheck = false;
|
||||||
|
|
||||||
|
|
|
@ -141,14 +141,18 @@ let
|
||||||
buildInputs = old.buildInputs ++ [ pkgs.libpng pkgs.zlib pkgs.poppler ];
|
buildInputs = old.buildInputs ++ [ pkgs.libpng pkgs.zlib pkgs.poppler ];
|
||||||
preBuild = ''
|
preBuild = ''
|
||||||
make server/epdfinfo
|
make server/epdfinfo
|
||||||
remove-references-to \
|
remove-references-to ${lib.concatStringsSep " " (
|
||||||
-t ${pkgs.stdenv.cc.libc.dev} \
|
map (output: "-t " + output) (
|
||||||
-t ${pkgs.glib.dev} \
|
[
|
||||||
-t ${pkgs.libpng.dev} \
|
pkgs.glib.dev
|
||||||
-t ${pkgs.poppler.dev} \
|
pkgs.libpng.dev
|
||||||
-t ${pkgs.zlib.dev} \
|
pkgs.poppler.dev
|
||||||
-t ${pkgs.cairo.dev} \
|
pkgs.zlib.dev
|
||||||
server/epdfinfo
|
pkgs.cairo.dev
|
||||||
|
]
|
||||||
|
++ lib.optional pkgs.stdenv.isLinux pkgs.stdenv.cc.libc.dev
|
||||||
|
)
|
||||||
|
)} server/epdfinfo
|
||||||
'';
|
'';
|
||||||
recipe = pkgs.writeText "recipe" ''
|
recipe = pkgs.writeText "recipe" ''
|
||||||
(pdf-tools
|
(pdf-tools
|
||||||
|
|
|
@ -16,11 +16,11 @@ let
|
||||||
|
|
||||||
in stdenv.mkDerivation rec {
|
in stdenv.mkDerivation rec {
|
||||||
pname = "nano";
|
pname = "nano";
|
||||||
version = "5.6";
|
version = "5.6.1";
|
||||||
|
|
||||||
src = fetchurl {
|
src = fetchurl {
|
||||||
url = "mirror://gnu/nano/${pname}-${version}.tar.xz";
|
url = "mirror://gnu/nano/${pname}-${version}.tar.xz";
|
||||||
sha256 = "0ckscf3klm2k1zjvcv8mkza1yp80g7ss56n73790fk83lzj87qgw";
|
sha256 = "02cbxqizbdlfwnz8dpq4fbzmdi4yk6fv0cragvpa0748w1cp03bn";
|
||||||
};
|
};
|
||||||
|
|
||||||
nativeBuildInputs = [ texinfo ] ++ optional enableNls gettext;
|
nativeBuildInputs = [ texinfo ] ++ optional enableNls gettext;
|
||||||
|
|
|
@ -91,6 +91,7 @@ let
|
||||||
kalarm = callPackage ./kalarm.nix {};
|
kalarm = callPackage ./kalarm.nix {};
|
||||||
kalarmcal = callPackage ./kalarmcal.nix {};
|
kalarmcal = callPackage ./kalarmcal.nix {};
|
||||||
kalzium = callPackage ./kalzium.nix {};
|
kalzium = callPackage ./kalzium.nix {};
|
||||||
|
kamoso = callPackage ./kamoso.nix {};
|
||||||
kapman = callPackage ./kapman.nix {};
|
kapman = callPackage ./kapman.nix {};
|
||||||
kapptemplate = callPackage ./kapptemplate.nix { };
|
kapptemplate = callPackage ./kapptemplate.nix { };
|
||||||
kate = callPackage ./kate.nix {};
|
kate = callPackage ./kate.nix {};
|
||||||
|
|
|
@ -0,0 +1,41 @@
|
||||||
|
{ mkDerivation
|
||||||
|
, lib
|
||||||
|
, extra-cmake-modules
|
||||||
|
, kdoctools
|
||||||
|
, wrapQtAppsHook
|
||||||
|
, qtdeclarative
|
||||||
|
, qtgraphicaleffects
|
||||||
|
, qtquickcontrols2
|
||||||
|
, kirigami2
|
||||||
|
, kpurpose
|
||||||
|
, gst_all_1
|
||||||
|
, pcre
|
||||||
|
}:
|
||||||
|
|
||||||
|
let
|
||||||
|
gst = with gst_all_1; [ gstreamer gst-libav gst-plugins-base gst-plugins-good gst-plugins-bad ];
|
||||||
|
|
||||||
|
in
|
||||||
|
mkDerivation {
|
||||||
|
pname = "kamoso";
|
||||||
|
nativeBuildInputs = [ extra-cmake-modules kdoctools wrapQtAppsHook ];
|
||||||
|
buildInputs = [ pcre ] ++ gst;
|
||||||
|
propagatedBuildInputs = [
|
||||||
|
qtdeclarative
|
||||||
|
qtgraphicaleffects
|
||||||
|
qtquickcontrols2
|
||||||
|
kirigami2
|
||||||
|
kpurpose
|
||||||
|
];
|
||||||
|
|
||||||
|
cmakeFlags = [
|
||||||
|
"-DOpenGL_GL_PREFERENCE=GLVND"
|
||||||
|
"-DGSTREAMER_VIDEO_INCLUDE_DIR=${gst_all_1.gst-plugins-base.dev}/include/gstreamer-1.0"
|
||||||
|
];
|
||||||
|
|
||||||
|
qtWrapperArgs = [
|
||||||
|
"--prefix GST_PLUGIN_PATH : ${lib.makeSearchPath "lib/gstreamer-1.0" gst}"
|
||||||
|
];
|
||||||
|
|
||||||
|
meta.license = with lib.licenses; [ lgpl21Only gpl3Only ];
|
||||||
|
}
|
|
@ -1,7 +1,7 @@
|
||||||
GEM
|
GEM
|
||||||
remote: https://rubygems.org/
|
remote: https://rubygems.org/
|
||||||
specs:
|
specs:
|
||||||
activesupport (6.1.0)
|
activesupport (6.1.3)
|
||||||
concurrent-ruby (~> 1.0, >= 1.0.2)
|
concurrent-ruby (~> 1.0, >= 1.0.2)
|
||||||
i18n (>= 1.6, < 2)
|
i18n (>= 1.6, < 2)
|
||||||
minitest (>= 5.1)
|
minitest (>= 5.1)
|
||||||
|
@ -10,19 +10,19 @@ GEM
|
||||||
addressable (2.7.0)
|
addressable (2.7.0)
|
||||||
public_suffix (>= 2.0.2, < 5.0)
|
public_suffix (>= 2.0.2, < 5.0)
|
||||||
colorator (1.1.0)
|
colorator (1.1.0)
|
||||||
concurrent-ruby (1.1.7)
|
concurrent-ruby (1.1.8)
|
||||||
em-websocket (0.5.2)
|
em-websocket (0.5.2)
|
||||||
eventmachine (>= 0.12.9)
|
eventmachine (>= 0.12.9)
|
||||||
http_parser.rb (~> 0.6.0)
|
http_parser.rb (~> 0.6.0)
|
||||||
eventmachine (1.2.7)
|
eventmachine (1.2.7)
|
||||||
ffi (1.13.1)
|
ffi (1.14.2)
|
||||||
forwardable-extended (2.6.0)
|
forwardable-extended (2.6.0)
|
||||||
gemoji (3.0.1)
|
gemoji (3.0.1)
|
||||||
html-pipeline (2.14.0)
|
html-pipeline (2.14.0)
|
||||||
activesupport (>= 2)
|
activesupport (>= 2)
|
||||||
nokogiri (>= 1.4)
|
nokogiri (>= 1.4)
|
||||||
http_parser.rb (0.6.0)
|
http_parser.rb (0.6.0)
|
||||||
i18n (1.8.5)
|
i18n (1.8.9)
|
||||||
concurrent-ruby (~> 1.0)
|
concurrent-ruby (~> 1.0)
|
||||||
jekyll (4.2.0)
|
jekyll (4.2.0)
|
||||||
addressable (~> 2.4)
|
addressable (~> 2.4)
|
||||||
|
@ -61,17 +61,19 @@ GEM
|
||||||
kramdown-parser-gfm (1.1.0)
|
kramdown-parser-gfm (1.1.0)
|
||||||
kramdown (~> 2.0)
|
kramdown (~> 2.0)
|
||||||
liquid (4.0.3)
|
liquid (4.0.3)
|
||||||
listen (3.3.3)
|
listen (3.4.1)
|
||||||
rb-fsevent (~> 0.10, >= 0.10.3)
|
rb-fsevent (~> 0.10, >= 0.10.3)
|
||||||
rb-inotify (~> 0.9, >= 0.9.10)
|
rb-inotify (~> 0.9, >= 0.9.10)
|
||||||
mercenary (0.4.0)
|
mercenary (0.4.0)
|
||||||
mini_portile2 (2.4.0)
|
mini_portile2 (2.5.0)
|
||||||
minitest (5.14.2)
|
minitest (5.14.4)
|
||||||
nokogiri (1.10.10)
|
nokogiri (1.11.1)
|
||||||
mini_portile2 (~> 2.4.0)
|
mini_portile2 (~> 2.5.0)
|
||||||
|
racc (~> 1.4)
|
||||||
pathutil (0.16.2)
|
pathutil (0.16.2)
|
||||||
forwardable-extended (~> 2.6)
|
forwardable-extended (~> 2.6)
|
||||||
public_suffix (4.0.6)
|
public_suffix (4.0.6)
|
||||||
|
racc (1.5.2)
|
||||||
rb-fsevent (0.10.4)
|
rb-fsevent (0.10.4)
|
||||||
rb-inotify (0.10.1)
|
rb-inotify (0.10.1)
|
||||||
ffi (~> 1.0)
|
ffi (~> 1.0)
|
||||||
|
@ -82,7 +84,7 @@ GEM
|
||||||
ffi (~> 1.9)
|
ffi (~> 1.9)
|
||||||
terminal-table (2.0.0)
|
terminal-table (2.0.0)
|
||||||
unicode-display_width (~> 1.1, >= 1.1.1)
|
unicode-display_width (~> 1.1, >= 1.1.1)
|
||||||
tzinfo (2.0.3)
|
tzinfo (2.0.4)
|
||||||
concurrent-ruby (~> 1.0)
|
concurrent-ruby (~> 1.0)
|
||||||
unicode-display_width (1.7.0)
|
unicode-display_width (1.7.0)
|
||||||
zeitwerk (2.4.2)
|
zeitwerk (2.4.2)
|
||||||
|
|
|
@ -5,10 +5,10 @@
|
||||||
platforms = [];
|
platforms = [];
|
||||||
source = {
|
source = {
|
||||||
remotes = ["https://rubygems.org"];
|
remotes = ["https://rubygems.org"];
|
||||||
sha256 = "1pflc2fch1bbgzk1rqgj21l6mgx025l92kd9arxjls98nf5am44v";
|
sha256 = "00a4db64g8w5yyk6hzak2nqrmdfvyh5zc9cvnm9gglwbi87ss28h";
|
||||||
type = "gem";
|
type = "gem";
|
||||||
};
|
};
|
||||||
version = "6.1.0";
|
version = "6.1.3";
|
||||||
};
|
};
|
||||||
addressable = {
|
addressable = {
|
||||||
dependencies = ["public_suffix"];
|
dependencies = ["public_suffix"];
|
||||||
|
@ -36,10 +36,10 @@
|
||||||
platforms = [];
|
platforms = [];
|
||||||
source = {
|
source = {
|
||||||
remotes = ["https://rubygems.org"];
|
remotes = ["https://rubygems.org"];
|
||||||
sha256 = "1vnxrbhi7cq3p4y2v9iwd10v1c7l15is4var14hwnb2jip4fyjzz";
|
sha256 = "0mr23wq0szj52xnj0zcn1k0c7j4v79wlwbijkpfcscqww3l6jlg3";
|
||||||
type = "gem";
|
type = "gem";
|
||||||
};
|
};
|
||||||
version = "1.1.7";
|
version = "1.1.8";
|
||||||
};
|
};
|
||||||
em-websocket = {
|
em-websocket = {
|
||||||
dependencies = ["eventmachine" "http_parser.rb"];
|
dependencies = ["eventmachine" "http_parser.rb"];
|
||||||
|
@ -67,10 +67,10 @@
|
||||||
platforms = [];
|
platforms = [];
|
||||||
source = {
|
source = {
|
||||||
remotes = ["https://rubygems.org"];
|
remotes = ["https://rubygems.org"];
|
||||||
sha256 = "12lpwaw82bb0rm9f52v1498bpba8aj2l2q359mkwbxsswhpga5af";
|
sha256 = "15hgiy09i8ywjihyzyvjvk42ivi3kmy6dm21s5sgg9j7y3h3zkkx";
|
||||||
type = "gem";
|
type = "gem";
|
||||||
};
|
};
|
||||||
version = "1.13.1";
|
version = "1.14.2";
|
||||||
};
|
};
|
||||||
forwardable-extended = {
|
forwardable-extended = {
|
||||||
groups = ["default"];
|
groups = ["default"];
|
||||||
|
@ -119,10 +119,10 @@
|
||||||
platforms = [];
|
platforms = [];
|
||||||
source = {
|
source = {
|
||||||
remotes = ["https://rubygems.org"];
|
remotes = ["https://rubygems.org"];
|
||||||
sha256 = "153sx77p16vawrs4qpkv7qlzf9v5fks4g7xqcj1dwk40i6g7rfzk";
|
sha256 = "08p6b13p99j1rrcrw1l3v0kb9mxbsvy6nk31r8h4rnszdgzpga32";
|
||||||
type = "gem";
|
type = "gem";
|
||||||
};
|
};
|
||||||
version = "1.8.5";
|
version = "1.8.9";
|
||||||
};
|
};
|
||||||
jekyll = {
|
jekyll = {
|
||||||
dependencies = ["addressable" "colorator" "em-websocket" "i18n" "jekyll-sass-converter" "jekyll-watch" "kramdown" "kramdown-parser-gfm" "liquid" "mercenary" "pathutil" "rouge" "safe_yaml" "terminal-table"];
|
dependencies = ["addressable" "colorator" "em-websocket" "i18n" "jekyll-sass-converter" "jekyll-watch" "kramdown" "kramdown-parser-gfm" "liquid" "mercenary" "pathutil" "rouge" "safe_yaml" "terminal-table"];
|
||||||
|
@ -250,10 +250,10 @@
|
||||||
platforms = [];
|
platforms = [];
|
||||||
source = {
|
source = {
|
||||||
remotes = ["https://rubygems.org"];
|
remotes = ["https://rubygems.org"];
|
||||||
sha256 = "1zpcgha7g33wvy2xbbc663cbjyvg9l1325lg3gzgcn3baydr9rha";
|
sha256 = "0imzd0cb9vlkc3yggl4rph1v1wm4z9psgs4z6aqsqa5hgf8gr9hj";
|
||||||
type = "gem";
|
type = "gem";
|
||||||
};
|
};
|
||||||
version = "3.3.3";
|
version = "3.4.1";
|
||||||
};
|
};
|
||||||
mercenary = {
|
mercenary = {
|
||||||
groups = ["default"];
|
groups = ["default"];
|
||||||
|
@ -270,31 +270,31 @@
|
||||||
platforms = [];
|
platforms = [];
|
||||||
source = {
|
source = {
|
||||||
remotes = ["https://rubygems.org"];
|
remotes = ["https://rubygems.org"];
|
||||||
sha256 = "15zplpfw3knqifj9bpf604rb3wc1vhq6363pd6lvhayng8wql5vy";
|
sha256 = "1hdbpmamx8js53yk3h8cqy12kgv6ca06k0c9n3pxh6b6cjfs19x7";
|
||||||
type = "gem";
|
type = "gem";
|
||||||
};
|
};
|
||||||
version = "2.4.0";
|
version = "2.5.0";
|
||||||
};
|
};
|
||||||
minitest = {
|
minitest = {
|
||||||
groups = ["default"];
|
groups = ["default"];
|
||||||
platforms = [];
|
platforms = [];
|
||||||
source = {
|
source = {
|
||||||
remotes = ["https://rubygems.org"];
|
remotes = ["https://rubygems.org"];
|
||||||
sha256 = "170y2cvx51gm3cm3nhdf7j36sxnkh6vv8ls36p90ric7w8w16h4v";
|
sha256 = "19z7wkhg59y8abginfrm2wzplz7py3va8fyngiigngqvsws6cwgl";
|
||||||
type = "gem";
|
type = "gem";
|
||||||
};
|
};
|
||||||
version = "5.14.2";
|
version = "5.14.4";
|
||||||
};
|
};
|
||||||
nokogiri = {
|
nokogiri = {
|
||||||
dependencies = ["mini_portile2"];
|
dependencies = ["mini_portile2" "racc"];
|
||||||
groups = ["default"];
|
groups = ["default"];
|
||||||
platforms = [];
|
platforms = [];
|
||||||
source = {
|
source = {
|
||||||
remotes = ["https://rubygems.org"];
|
remotes = ["https://rubygems.org"];
|
||||||
sha256 = "0xmf60nj5kg9vaj5bysy308687sgmkasgx06vbbnf94p52ih7si2";
|
sha256 = "1ajwkqr28hwqbyl1l3czx4a34c88acxywyqp8cjyy0zgsd6sbhj2";
|
||||||
type = "gem";
|
type = "gem";
|
||||||
};
|
};
|
||||||
version = "1.10.10";
|
version = "1.11.1";
|
||||||
};
|
};
|
||||||
pathutil = {
|
pathutil = {
|
||||||
dependencies = ["forwardable-extended"];
|
dependencies = ["forwardable-extended"];
|
||||||
|
@ -317,6 +317,16 @@
|
||||||
};
|
};
|
||||||
version = "4.0.6";
|
version = "4.0.6";
|
||||||
};
|
};
|
||||||
|
racc = {
|
||||||
|
groups = ["default"];
|
||||||
|
platforms = [];
|
||||||
|
source = {
|
||||||
|
remotes = ["https://rubygems.org"];
|
||||||
|
sha256 = "178k7r0xn689spviqzhvazzvxfq6fyjldxb3ywjbgipbfi4s8j1g";
|
||||||
|
type = "gem";
|
||||||
|
};
|
||||||
|
version = "1.5.2";
|
||||||
|
};
|
||||||
rb-fsevent = {
|
rb-fsevent = {
|
||||||
groups = ["default"];
|
groups = ["default"];
|
||||||
platforms = [];
|
platforms = [];
|
||||||
|
@ -396,10 +406,10 @@
|
||||||
platforms = [];
|
platforms = [];
|
||||||
source = {
|
source = {
|
||||||
remotes = ["https://rubygems.org"];
|
remotes = ["https://rubygems.org"];
|
||||||
sha256 = "1av5jzdij6vriwmf8crfvwaz2kik721ymg8svpxj3kx47kfha5vg";
|
sha256 = "10qp5x7f9hvlc0psv9gsfbxg4a7s0485wsbq1kljkxq94in91l4z";
|
||||||
type = "gem";
|
type = "gem";
|
||||||
};
|
};
|
||||||
version = "2.0.3";
|
version = "2.0.4";
|
||||||
};
|
};
|
||||||
unicode-display_width = {
|
unicode-display_width = {
|
||||||
groups = ["default"];
|
groups = ["default"];
|
||||||
|
|
|
@ -1,7 +1,7 @@
|
||||||
GEM
|
GEM
|
||||||
remote: https://rubygems.org/
|
remote: https://rubygems.org/
|
||||||
specs:
|
specs:
|
||||||
activesupport (6.1.0)
|
activesupport (6.1.3)
|
||||||
concurrent-ruby (~> 1.0, >= 1.0.2)
|
concurrent-ruby (~> 1.0, >= 1.0.2)
|
||||||
i18n (>= 1.6, < 2)
|
i18n (>= 1.6, < 2)
|
||||||
minitest (>= 5.1)
|
minitest (>= 5.1)
|
||||||
|
@ -17,24 +17,26 @@ GEM
|
||||||
execjs
|
execjs
|
||||||
coffee-script-source (1.12.2)
|
coffee-script-source (1.12.2)
|
||||||
colorator (1.1.0)
|
colorator (1.1.0)
|
||||||
concurrent-ruby (1.1.7)
|
concurrent-ruby (1.1.8)
|
||||||
em-websocket (0.5.2)
|
em-websocket (0.5.2)
|
||||||
eventmachine (>= 0.12.9)
|
eventmachine (>= 0.12.9)
|
||||||
http_parser.rb (~> 0.6.0)
|
http_parser.rb (~> 0.6.0)
|
||||||
eventmachine (1.2.7)
|
eventmachine (1.2.7)
|
||||||
execjs (2.7.0)
|
execjs (2.7.0)
|
||||||
faraday (1.1.0)
|
faraday (1.3.0)
|
||||||
|
faraday-net_http (~> 1.0)
|
||||||
multipart-post (>= 1.2, < 3)
|
multipart-post (>= 1.2, < 3)
|
||||||
ruby2_keywords
|
ruby2_keywords
|
||||||
|
faraday-net_http (1.0.1)
|
||||||
fast-stemmer (1.0.2)
|
fast-stemmer (1.0.2)
|
||||||
ffi (1.13.1)
|
ffi (1.14.2)
|
||||||
forwardable-extended (2.6.0)
|
forwardable-extended (2.6.0)
|
||||||
gemoji (3.0.1)
|
gemoji (3.0.1)
|
||||||
html-pipeline (2.14.0)
|
html-pipeline (2.14.0)
|
||||||
activesupport (>= 2)
|
activesupport (>= 2)
|
||||||
nokogiri (>= 1.4)
|
nokogiri (>= 1.4)
|
||||||
http_parser.rb (0.6.0)
|
http_parser.rb (0.6.0)
|
||||||
i18n (1.8.5)
|
i18n (1.8.9)
|
||||||
concurrent-ruby (~> 1.0)
|
concurrent-ruby (~> 1.0)
|
||||||
jekyll (4.2.0)
|
jekyll (4.2.0)
|
||||||
addressable (~> 2.4)
|
addressable (~> 2.4)
|
||||||
|
@ -64,7 +66,7 @@ GEM
|
||||||
html-pipeline (~> 2.3)
|
html-pipeline (~> 2.3)
|
||||||
jekyll (>= 3.7, < 5.0)
|
jekyll (>= 3.7, < 5.0)
|
||||||
jekyll-paginate (1.1.0)
|
jekyll-paginate (1.1.0)
|
||||||
jekyll-polyglot (1.3.3)
|
jekyll-polyglot (1.4.0)
|
||||||
jekyll (>= 3.0)
|
jekyll (>= 3.0)
|
||||||
jekyll-redirect-from (0.16.0)
|
jekyll-redirect-from (0.16.0)
|
||||||
jekyll (>= 3.3, < 5.0)
|
jekyll (>= 3.3, < 5.0)
|
||||||
|
@ -90,31 +92,33 @@ GEM
|
||||||
liquid (4.0.3)
|
liquid (4.0.3)
|
||||||
liquid-c (4.0.0)
|
liquid-c (4.0.0)
|
||||||
liquid (>= 3.0.0)
|
liquid (>= 3.0.0)
|
||||||
listen (3.3.3)
|
listen (3.4.1)
|
||||||
rb-fsevent (~> 0.10, >= 0.10.3)
|
rb-fsevent (~> 0.10, >= 0.10.3)
|
||||||
rb-inotify (~> 0.9, >= 0.9.10)
|
rb-inotify (~> 0.9, >= 0.9.10)
|
||||||
mercenary (0.4.0)
|
mercenary (0.4.0)
|
||||||
mime-types (3.3.1)
|
mime-types (3.3.1)
|
||||||
mime-types-data (~> 3.2015)
|
mime-types-data (~> 3.2015)
|
||||||
mime-types-data (3.2020.1104)
|
mime-types-data (3.2021.0225)
|
||||||
mini_portile2 (2.4.0)
|
mini_portile2 (2.5.0)
|
||||||
minitest (5.14.2)
|
minitest (5.14.4)
|
||||||
multipart-post (2.1.1)
|
multipart-post (2.1.1)
|
||||||
nokogiri (1.10.10)
|
nokogiri (1.11.1)
|
||||||
mini_portile2 (~> 2.4.0)
|
mini_portile2 (~> 2.5.0)
|
||||||
octokit (4.19.0)
|
racc (~> 1.4)
|
||||||
|
octokit (4.20.0)
|
||||||
faraday (>= 0.9)
|
faraday (>= 0.9)
|
||||||
sawyer (~> 0.8.0, >= 0.5.3)
|
sawyer (~> 0.8.0, >= 0.5.3)
|
||||||
pathutil (0.16.2)
|
pathutil (0.16.2)
|
||||||
forwardable-extended (~> 2.6)
|
forwardable-extended (~> 2.6)
|
||||||
public_suffix (4.0.6)
|
public_suffix (4.0.6)
|
||||||
|
racc (1.5.2)
|
||||||
rb-fsevent (0.10.4)
|
rb-fsevent (0.10.4)
|
||||||
rb-inotify (0.10.1)
|
rb-inotify (0.10.1)
|
||||||
ffi (~> 1.0)
|
ffi (~> 1.0)
|
||||||
rdoc (6.2.1)
|
rdoc (6.3.0)
|
||||||
rexml (3.2.4)
|
rexml (3.2.4)
|
||||||
rouge (3.26.0)
|
rouge (3.26.0)
|
||||||
ruby2_keywords (0.0.2)
|
ruby2_keywords (0.0.4)
|
||||||
safe_yaml (1.0.5)
|
safe_yaml (1.0.5)
|
||||||
sassc (2.4.0)
|
sassc (2.4.0)
|
||||||
ffi (~> 1.9)
|
ffi (~> 1.9)
|
||||||
|
@ -124,7 +128,7 @@ GEM
|
||||||
terminal-table (2.0.0)
|
terminal-table (2.0.0)
|
||||||
unicode-display_width (~> 1.1, >= 1.1.1)
|
unicode-display_width (~> 1.1, >= 1.1.1)
|
||||||
tomlrb (1.3.0)
|
tomlrb (1.3.0)
|
||||||
tzinfo (2.0.3)
|
tzinfo (2.0.4)
|
||||||
concurrent-ruby (~> 1.0)
|
concurrent-ruby (~> 1.0)
|
||||||
unicode-display_width (1.7.0)
|
unicode-display_width (1.7.0)
|
||||||
yajl-ruby (1.4.1)
|
yajl-ruby (1.4.1)
|
||||||
|
|
|
@ -5,10 +5,10 @@
|
||||||
platforms = [];
|
platforms = [];
|
||||||
source = {
|
source = {
|
||||||
remotes = ["https://rubygems.org"];
|
remotes = ["https://rubygems.org"];
|
||||||
sha256 = "1pflc2fch1bbgzk1rqgj21l6mgx025l92kd9arxjls98nf5am44v";
|
sha256 = "00a4db64g8w5yyk6hzak2nqrmdfvyh5zc9cvnm9gglwbi87ss28h";
|
||||||
type = "gem";
|
type = "gem";
|
||||||
};
|
};
|
||||||
version = "6.1.0";
|
version = "6.1.3";
|
||||||
};
|
};
|
||||||
addressable = {
|
addressable = {
|
||||||
dependencies = ["public_suffix"];
|
dependencies = ["public_suffix"];
|
||||||
|
@ -90,10 +90,10 @@
|
||||||
platforms = [];
|
platforms = [];
|
||||||
source = {
|
source = {
|
||||||
remotes = ["https://rubygems.org"];
|
remotes = ["https://rubygems.org"];
|
||||||
sha256 = "1vnxrbhi7cq3p4y2v9iwd10v1c7l15is4var14hwnb2jip4fyjzz";
|
sha256 = "0mr23wq0szj52xnj0zcn1k0c7j4v79wlwbijkpfcscqww3l6jlg3";
|
||||||
type = "gem";
|
type = "gem";
|
||||||
};
|
};
|
||||||
version = "1.1.7";
|
version = "1.1.8";
|
||||||
};
|
};
|
||||||
em-websocket = {
|
em-websocket = {
|
||||||
dependencies = ["eventmachine" "http_parser.rb"];
|
dependencies = ["eventmachine" "http_parser.rb"];
|
||||||
|
@ -127,15 +127,25 @@
|
||||||
version = "2.7.0";
|
version = "2.7.0";
|
||||||
};
|
};
|
||||||
faraday = {
|
faraday = {
|
||||||
dependencies = ["multipart-post" "ruby2_keywords"];
|
dependencies = ["faraday-net_http" "multipart-post" "ruby2_keywords"];
|
||||||
groups = ["default"];
|
groups = ["default"];
|
||||||
platforms = [];
|
platforms = [];
|
||||||
source = {
|
source = {
|
||||||
remotes = ["https://rubygems.org"];
|
remotes = ["https://rubygems.org"];
|
||||||
sha256 = "16dapwi5pivrl25r4lkr1mxjrzkznj4wlcb08fzkmxnj4g5c6y35";
|
sha256 = "1hmssd8pj4n7yq4kz834ylkla8ryyvhaap6q9nzymp93m1xq21kz";
|
||||||
type = "gem";
|
type = "gem";
|
||||||
};
|
};
|
||||||
version = "1.1.0";
|
version = "1.3.0";
|
||||||
|
};
|
||||||
|
faraday-net_http = {
|
||||||
|
groups = ["default"];
|
||||||
|
platforms = [];
|
||||||
|
source = {
|
||||||
|
remotes = ["https://rubygems.org"];
|
||||||
|
sha256 = "1fi8sda5hc54v1w3mqfl5yz09nhx35kglyx72w7b8xxvdr0cwi9j";
|
||||||
|
type = "gem";
|
||||||
|
};
|
||||||
|
version = "1.0.1";
|
||||||
};
|
};
|
||||||
fast-stemmer = {
|
fast-stemmer = {
|
||||||
groups = ["default"];
|
groups = ["default"];
|
||||||
|
@ -164,10 +174,10 @@
|
||||||
platforms = [];
|
platforms = [];
|
||||||
source = {
|
source = {
|
||||||
remotes = ["https://rubygems.org"];
|
remotes = ["https://rubygems.org"];
|
||||||
sha256 = "12lpwaw82bb0rm9f52v1498bpba8aj2l2q359mkwbxsswhpga5af";
|
sha256 = "15hgiy09i8ywjihyzyvjvk42ivi3kmy6dm21s5sgg9j7y3h3zkkx";
|
||||||
type = "gem";
|
type = "gem";
|
||||||
};
|
};
|
||||||
version = "1.13.1";
|
version = "1.14.2";
|
||||||
};
|
};
|
||||||
forwardable-extended = {
|
forwardable-extended = {
|
||||||
groups = ["default"];
|
groups = ["default"];
|
||||||
|
@ -216,10 +226,10 @@
|
||||||
platforms = [];
|
platforms = [];
|
||||||
source = {
|
source = {
|
||||||
remotes = ["https://rubygems.org"];
|
remotes = ["https://rubygems.org"];
|
||||||
sha256 = "153sx77p16vawrs4qpkv7qlzf9v5fks4g7xqcj1dwk40i6g7rfzk";
|
sha256 = "08p6b13p99j1rrcrw1l3v0kb9mxbsvy6nk31r8h4rnszdgzpga32";
|
||||||
type = "gem";
|
type = "gem";
|
||||||
};
|
};
|
||||||
version = "1.8.5";
|
version = "1.8.9";
|
||||||
};
|
};
|
||||||
jekyll = {
|
jekyll = {
|
||||||
dependencies = ["addressable" "colorator" "em-websocket" "i18n" "jekyll-sass-converter" "jekyll-watch" "kramdown" "kramdown-parser-gfm" "liquid" "mercenary" "pathutil" "rouge" "safe_yaml" "terminal-table"];
|
dependencies = ["addressable" "colorator" "em-websocket" "i18n" "jekyll-sass-converter" "jekyll-watch" "kramdown" "kramdown-parser-gfm" "liquid" "mercenary" "pathutil" "rouge" "safe_yaml" "terminal-table"];
|
||||||
|
@ -303,10 +313,10 @@
|
||||||
platforms = [];
|
platforms = [];
|
||||||
source = {
|
source = {
|
||||||
remotes = ["https://rubygems.org"];
|
remotes = ["https://rubygems.org"];
|
||||||
sha256 = "4ad9140733250b65bc1ffab84650c588d036d23129e82f0349d31e56f1fe10a8";
|
sha256 = "0klf363dsdsi90rsnc9047b3hbg88gagkq2sqzmmg5r1nhy7hyyr";
|
||||||
type = "gem";
|
type = "gem";
|
||||||
};
|
};
|
||||||
version = "1.3.3";
|
version = "1.4.0";
|
||||||
};
|
};
|
||||||
jekyll-redirect-from = {
|
jekyll-redirect-from = {
|
||||||
dependencies = ["jekyll"];
|
dependencies = ["jekyll"];
|
||||||
|
@ -458,10 +468,10 @@
|
||||||
platforms = [];
|
platforms = [];
|
||||||
source = {
|
source = {
|
||||||
remotes = ["https://rubygems.org"];
|
remotes = ["https://rubygems.org"];
|
||||||
sha256 = "1zpcgha7g33wvy2xbbc663cbjyvg9l1325lg3gzgcn3baydr9rha";
|
sha256 = "0imzd0cb9vlkc3yggl4rph1v1wm4z9psgs4z6aqsqa5hgf8gr9hj";
|
||||||
type = "gem";
|
type = "gem";
|
||||||
};
|
};
|
||||||
version = "3.3.3";
|
version = "3.4.1";
|
||||||
};
|
};
|
||||||
mercenary = {
|
mercenary = {
|
||||||
groups = ["default"];
|
groups = ["default"];
|
||||||
|
@ -489,30 +499,30 @@
|
||||||
platforms = [];
|
platforms = [];
|
||||||
source = {
|
source = {
|
||||||
remotes = ["https://rubygems.org"];
|
remotes = ["https://rubygems.org"];
|
||||||
sha256 = "0ipjyfwn9nlvpcl8knq3jk4g5f12cflwdbaiqxcq1s7vwfwfxcag";
|
sha256 = "1phcq7z0zpipwd7y4fbqmlaqghv07fjjgrx99mwq3z3n0yvy7fmi";
|
||||||
type = "gem";
|
type = "gem";
|
||||||
};
|
};
|
||||||
version = "3.2020.1104";
|
version = "3.2021.0225";
|
||||||
};
|
};
|
||||||
mini_portile2 = {
|
mini_portile2 = {
|
||||||
groups = ["default"];
|
groups = ["default"];
|
||||||
platforms = [];
|
platforms = [];
|
||||||
source = {
|
source = {
|
||||||
remotes = ["https://rubygems.org"];
|
remotes = ["https://rubygems.org"];
|
||||||
sha256 = "15zplpfw3knqifj9bpf604rb3wc1vhq6363pd6lvhayng8wql5vy";
|
sha256 = "1hdbpmamx8js53yk3h8cqy12kgv6ca06k0c9n3pxh6b6cjfs19x7";
|
||||||
type = "gem";
|
type = "gem";
|
||||||
};
|
};
|
||||||
version = "2.4.0";
|
version = "2.5.0";
|
||||||
};
|
};
|
||||||
minitest = {
|
minitest = {
|
||||||
groups = ["default"];
|
groups = ["default"];
|
||||||
platforms = [];
|
platforms = [];
|
||||||
source = {
|
source = {
|
||||||
remotes = ["https://rubygems.org"];
|
remotes = ["https://rubygems.org"];
|
||||||
sha256 = "170y2cvx51gm3cm3nhdf7j36sxnkh6vv8ls36p90ric7w8w16h4v";
|
sha256 = "19z7wkhg59y8abginfrm2wzplz7py3va8fyngiigngqvsws6cwgl";
|
||||||
type = "gem";
|
type = "gem";
|
||||||
};
|
};
|
||||||
version = "5.14.2";
|
version = "5.14.4";
|
||||||
};
|
};
|
||||||
multipart-post = {
|
multipart-post = {
|
||||||
groups = ["default"];
|
groups = ["default"];
|
||||||
|
@ -525,15 +535,15 @@
|
||||||
version = "2.1.1";
|
version = "2.1.1";
|
||||||
};
|
};
|
||||||
nokogiri = {
|
nokogiri = {
|
||||||
dependencies = ["mini_portile2"];
|
dependencies = ["mini_portile2" "racc"];
|
||||||
groups = ["default"];
|
groups = ["default"];
|
||||||
platforms = [];
|
platforms = [];
|
||||||
source = {
|
source = {
|
||||||
remotes = ["https://rubygems.org"];
|
remotes = ["https://rubygems.org"];
|
||||||
sha256 = "0xmf60nj5kg9vaj5bysy308687sgmkasgx06vbbnf94p52ih7si2";
|
sha256 = "1ajwkqr28hwqbyl1l3czx4a34c88acxywyqp8cjyy0zgsd6sbhj2";
|
||||||
type = "gem";
|
type = "gem";
|
||||||
};
|
};
|
||||||
version = "1.10.10";
|
version = "1.11.1";
|
||||||
};
|
};
|
||||||
octokit = {
|
octokit = {
|
||||||
dependencies = ["faraday" "sawyer"];
|
dependencies = ["faraday" "sawyer"];
|
||||||
|
@ -541,10 +551,10 @@
|
||||||
platforms = [];
|
platforms = [];
|
||||||
source = {
|
source = {
|
||||||
remotes = ["https://rubygems.org"];
|
remotes = ["https://rubygems.org"];
|
||||||
sha256 = "1dz8na8fk445yqrwpkl31fimnap7p4xf9m9qm9i7cpvaxxgk2n24";
|
sha256 = "1fl517ld5vj0llyshp3f9kb7xyl9iqy28cbz3k999fkbwcxzhlyq";
|
||||||
type = "gem";
|
type = "gem";
|
||||||
};
|
};
|
||||||
version = "4.19.0";
|
version = "4.20.0";
|
||||||
};
|
};
|
||||||
pathutil = {
|
pathutil = {
|
||||||
dependencies = ["forwardable-extended"];
|
dependencies = ["forwardable-extended"];
|
||||||
|
@ -567,6 +577,16 @@
|
||||||
};
|
};
|
||||||
version = "4.0.6";
|
version = "4.0.6";
|
||||||
};
|
};
|
||||||
|
racc = {
|
||||||
|
groups = ["default"];
|
||||||
|
platforms = [];
|
||||||
|
source = {
|
||||||
|
remotes = ["https://rubygems.org"];
|
||||||
|
sha256 = "178k7r0xn689spviqzhvazzvxfq6fyjldxb3ywjbgipbfi4s8j1g";
|
||||||
|
type = "gem";
|
||||||
|
};
|
||||||
|
version = "1.5.2";
|
||||||
|
};
|
||||||
rb-fsevent = {
|
rb-fsevent = {
|
||||||
groups = ["default"];
|
groups = ["default"];
|
||||||
platforms = [];
|
platforms = [];
|
||||||
|
@ -593,10 +613,10 @@
|
||||||
platforms = [];
|
platforms = [];
|
||||||
source = {
|
source = {
|
||||||
remotes = ["https://rubygems.org"];
|
remotes = ["https://rubygems.org"];
|
||||||
sha256 = "08862mr1575j8g32wma4pv2qwj4xpllk29i5j61hgf9nwn64afhc";
|
sha256 = "1rz1492df18161qwzswm86gav0dnqz715kxzw5yfnv0ka43d4zc4";
|
||||||
type = "gem";
|
type = "gem";
|
||||||
};
|
};
|
||||||
version = "6.2.1";
|
version = "6.3.0";
|
||||||
};
|
};
|
||||||
rexml = {
|
rexml = {
|
||||||
groups = ["default"];
|
groups = ["default"];
|
||||||
|
@ -623,10 +643,10 @@
|
||||||
platforms = [];
|
platforms = [];
|
||||||
source = {
|
source = {
|
||||||
remotes = ["https://rubygems.org"];
|
remotes = ["https://rubygems.org"];
|
||||||
sha256 = "17pcc0wgvh3ikrkr7bm3nx0qhyiqwidd13ij0fa50k7gsbnr2p0l";
|
sha256 = "15wfcqxyfgka05v2a7kpg64x57gl1y4xzvnc9lh60bqx5sf1iqrs";
|
||||||
type = "gem";
|
type = "gem";
|
||||||
};
|
};
|
||||||
version = "0.0.2";
|
version = "0.0.4";
|
||||||
};
|
};
|
||||||
safe_yaml = {
|
safe_yaml = {
|
||||||
groups = ["default"];
|
groups = ["default"];
|
||||||
|
@ -687,10 +707,10 @@
|
||||||
platforms = [];
|
platforms = [];
|
||||||
source = {
|
source = {
|
||||||
remotes = ["https://rubygems.org"];
|
remotes = ["https://rubygems.org"];
|
||||||
sha256 = "1av5jzdij6vriwmf8crfvwaz2kik721ymg8svpxj3kx47kfha5vg";
|
sha256 = "10qp5x7f9hvlc0psv9gsfbxg4a7s0485wsbq1kljkxq94in91l4z";
|
||||||
type = "gem";
|
type = "gem";
|
||||||
};
|
};
|
||||||
version = "2.0.3";
|
version = "2.0.4";
|
||||||
};
|
};
|
||||||
unicode-display_width = {
|
unicode-display_width = {
|
||||||
groups = ["default"];
|
groups = ["default"];
|
||||||
|
|
|
@ -1,5 +1,5 @@
|
||||||
{
|
{
|
||||||
stdenv, lib, fetchFromGitHub, makeDesktopItem, prusa-slicer
|
lib, fetchFromGitHub, makeDesktopItem, prusa-slicer
|
||||||
}:
|
}:
|
||||||
let
|
let
|
||||||
appname = "SuperSlicer";
|
appname = "SuperSlicer";
|
||||||
|
|
|
@ -0,0 +1,25 @@
|
||||||
|
{ lib
|
||||||
|
, rustPlatform
|
||||||
|
, fetchFromGitHub
|
||||||
|
}:
|
||||||
|
|
||||||
|
rustPlatform.buildRustPackage rec {
|
||||||
|
pname = "stork";
|
||||||
|
version = "1.1.0";
|
||||||
|
|
||||||
|
src = fetchFromGitHub {
|
||||||
|
owner = "jameslittle230";
|
||||||
|
repo = "stork";
|
||||||
|
rev = "v${version}";
|
||||||
|
sha256 = "sha256-pBJ9n1pQafXagQt9bnj4N1jriczr47QLtKiv+UjWgTg=";
|
||||||
|
};
|
||||||
|
|
||||||
|
cargoSha256 = "sha256-u8L4ZeST4ExYB2y8E+I49HCy41dOfhR1fgPpcVMVDuk=";
|
||||||
|
|
||||||
|
meta = with lib; {
|
||||||
|
description = "Impossibly fast web search, made for static sites";
|
||||||
|
homepage = "https://github.com/jameslittle230/stork";
|
||||||
|
license = with licenses; [ asl20 ];
|
||||||
|
maintainers = with maintainers; [ chuahou ];
|
||||||
|
};
|
||||||
|
}
|
|
@ -1,4 +1,4 @@
|
||||||
{ version ? "release", stdenv, lib, fetchFromGitHub, buildGoModule, coreutils }:
|
{ version ? "release", lib, fetchFromGitHub, buildGoModule, coreutils }:
|
||||||
|
|
||||||
let
|
let
|
||||||
|
|
||||||
|
|
|
@ -31,9 +31,9 @@
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"dev": {
|
"dev": {
|
||||||
"version": "90.0.4427.5",
|
"version": "90.0.4430.11",
|
||||||
"sha256": "034czg6q84lpycgfqbcg3rrdhja3bp1akvsnyddimwxy83r2cqyg",
|
"sha256": "0rzg1yji1rxddxcy03lwqv9rdqnk3c25v2g57mq9n37c6jqisyq4",
|
||||||
"sha256bin64": "0ijvsjfwmssvl14wg9cbp4h2rfdack6f89pmx2fggbnfm26m2vap",
|
"sha256bin64": "015a1agwwf5g7x70rzfb129h6r7hfd86593853nqgy1m9yprxqab",
|
||||||
"deps": {
|
"deps": {
|
||||||
"gn": {
|
"gn": {
|
||||||
"version": "2021-02-09",
|
"version": "2021-02-09",
|
||||||
|
|
|
@ -1,4 +1,4 @@
|
||||||
{ lib, stdenv, buildGoModule, fetchFromGitHub, fetchurl, installShellFiles }:
|
{ lib, buildGoModule, fetchFromGitHub, fetchurl, installShellFiles }:
|
||||||
|
|
||||||
buildGoModule rec {
|
buildGoModule rec {
|
||||||
pname = "cloudfoundry-cli";
|
pname = "cloudfoundry-cli";
|
||||||
|
|
|
@ -2,13 +2,13 @@
|
||||||
|
|
||||||
buildGoModule rec {
|
buildGoModule rec {
|
||||||
pname = "helmfile";
|
pname = "helmfile";
|
||||||
version = "0.138.4";
|
version = "0.138.6";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "roboll";
|
owner = "roboll";
|
||||||
repo = "helmfile";
|
repo = "helmfile";
|
||||||
rev = "v${version}";
|
rev = "v${version}";
|
||||||
sha256 = "sha256-Y0/0wC00s7QY7/B6igOoPKXv5TE2P8NoGd9UhfVmLOk=";
|
sha256 = "sha256-slqHG4uD0sbCNNr5Ve9eemyylUs4w1JizfoIMbrbVeg=";
|
||||||
};
|
};
|
||||||
|
|
||||||
vendorSha256 = "sha256-WlV6moJymQ7VyZXXuViCNN1WP4NzBUszavxpKjQR8to=";
|
vendorSha256 = "sha256-WlV6moJymQ7VyZXXuViCNN1WP4NzBUszavxpKjQR8to=";
|
||||||
|
|
|
@ -1,4 +1,4 @@
|
||||||
{ stdenv, lib, buildGoModule, fetchFromGitHub }:
|
{ lib, buildGoModule, fetchFromGitHub }:
|
||||||
|
|
||||||
buildGoModule rec {
|
buildGoModule rec {
|
||||||
pname = "kube-capacity";
|
pname = "kube-capacity";
|
||||||
|
|
|
@ -398,10 +398,10 @@
|
||||||
"owner": "hashicorp",
|
"owner": "hashicorp",
|
||||||
"provider-source-address": "registry.terraform.io/hashicorp/helm",
|
"provider-source-address": "registry.terraform.io/hashicorp/helm",
|
||||||
"repo": "terraform-provider-helm",
|
"repo": "terraform-provider-helm",
|
||||||
"rev": "v1.3.2",
|
"rev": "v2.0.2",
|
||||||
"sha256": "0mpbf03483jqrwd9cx4pdn2pcv4swfs5nbp021gaqr0jf1w970x6",
|
"sha256": "119zvlkwa7ygwsjxxdl7z8cqb0c4m6gy21356jnsasf4c3557rrb",
|
||||||
"vendorSha256": null,
|
"vendorSha256": null,
|
||||||
"version": "1.3.2"
|
"version": "2.0.2"
|
||||||
},
|
},
|
||||||
"heroku": {
|
"heroku": {
|
||||||
"owner": "terraform-providers",
|
"owner": "terraform-providers",
|
||||||
|
@ -504,9 +504,10 @@
|
||||||
"owner": "hashicorp",
|
"owner": "hashicorp",
|
||||||
"provider-source-address": "registry.terraform.io/hashicorp/kubernetes",
|
"provider-source-address": "registry.terraform.io/hashicorp/kubernetes",
|
||||||
"repo": "terraform-provider-kubernetes",
|
"repo": "terraform-provider-kubernetes",
|
||||||
"rev": "v1.13.3",
|
"rev": "v2.0.2",
|
||||||
"sha256": "01hkbb81r3k630s3ww6379p66h1fsd5cd1dz14jm833nsr142c0i",
|
"sha256": "129aylw6hxa44syfnb0kkkihwvlaa6d1jnxrcbwkql6xxhn9zizf",
|
||||||
"version": "1.13.3"
|
"vendorSha256": null,
|
||||||
|
"version": "2.0.2"
|
||||||
},
|
},
|
||||||
"kubernetes-alpha": {
|
"kubernetes-alpha": {
|
||||||
"owner": "hashicorp",
|
"owner": "hashicorp",
|
||||||
|
|
|
@ -1,5 +1,5 @@
|
||||||
#!/usr/bin/env nix-shell
|
#!/usr/bin/env nix-shell
|
||||||
#! nix-shell -i bash -p coreutils curl jq moreutils
|
#! nix-shell -I nixpkgs=../../../../.. -i bash -p coreutils curl jq moreutils nix
|
||||||
# shellcheck shell=bash
|
# shellcheck shell=bash
|
||||||
# vim: ft=sh
|
# vim: ft=sh
|
||||||
#
|
#
|
||||||
|
@ -161,7 +161,8 @@ if [[ -z "$vendorSha256" ]]; then
|
||||||
exit 1
|
exit 1
|
||||||
fi
|
fi
|
||||||
rm -f vendor_log.txt
|
rm -f vendor_log.txt
|
||||||
vendorSha256=${BASH_REMATCH[1]}
|
# trim the results in case it they have a sha256: prefix or contain more than one line
|
||||||
|
vendorSha256=$(echo "${BASH_REMATCH[1]#sha256:}" | head -n 1)
|
||||||
# Deal with nix unstable
|
# Deal with nix unstable
|
||||||
if [[ $vendorSha256 = sha256-* ]]; then
|
if [[ $vendorSha256 = sha256-* ]]; then
|
||||||
vendorSha256=$(nix to-base32 "$vendorSha256")
|
vendorSha256=$(nix to-base32 "$vendorSha256")
|
||||||
|
|
|
@ -2,7 +2,6 @@
|
||||||
, lib
|
, lib
|
||||||
, fetchurl
|
, fetchurl
|
||||||
, makeWrapper
|
, makeWrapper
|
||||||
, fetchFromGitHub
|
|
||||||
# Dynamic libraries
|
# Dynamic libraries
|
||||||
, alsaLib
|
, alsaLib
|
||||||
, atk
|
, atk
|
||||||
|
@ -31,14 +30,13 @@
|
||||||
assert pulseaudioSupport -> libpulseaudio != null;
|
assert pulseaudioSupport -> libpulseaudio != null;
|
||||||
|
|
||||||
let
|
let
|
||||||
version = "5.5.7011.0206";
|
version = "5.5.7938.0228";
|
||||||
srcs = {
|
srcs = {
|
||||||
x86_64-linux = fetchurl {
|
x86_64-linux = fetchurl {
|
||||||
url = "https://zoom.us/client/${version}/zoom_x86_64.pkg.tar.xz";
|
url = "https://zoom.us/client/${version}/zoom_x86_64.pkg.tar.xz";
|
||||||
sha256 = "00ahly3kjjznn73vcxgm5wj2pxgw6wdk6vzgd8svfmnl5kqq6c02";
|
sha256 = "KM8o2tgIn0lecOM4gKdTOdk/zsohlFqtNX+ca/S6FGY=";
|
||||||
};
|
};
|
||||||
};
|
};
|
||||||
dontUnpack = true;
|
|
||||||
|
|
||||||
libs = lib.makeLibraryPath ([
|
libs = lib.makeLibraryPath ([
|
||||||
# $ LD_LIBRARY_PATH=$NIX_LD_LIBRARY_PATH:$PWD ldd zoom | grep 'not found'
|
# $ LD_LIBRARY_PATH=$NIX_LD_LIBRARY_PATH:$PWD ldd zoom | grep 'not found'
|
||||||
|
@ -68,8 +66,10 @@ let
|
||||||
xorg.libXtst
|
xorg.libXtst
|
||||||
] ++ lib.optional (pulseaudioSupport) libpulseaudio);
|
] ++ lib.optional (pulseaudioSupport) libpulseaudio);
|
||||||
|
|
||||||
in stdenv.mkDerivation {
|
in stdenv.mkDerivation rec {
|
||||||
name = "zoom-${version}";
|
pname = "zoom";
|
||||||
|
inherit version;
|
||||||
|
src = srcs.${stdenv.hostPlatform.system};
|
||||||
|
|
||||||
dontUnpack = true;
|
dontUnpack = true;
|
||||||
|
|
||||||
|
@ -80,7 +80,7 @@ in stdenv.mkDerivation {
|
||||||
installPhase = ''
|
installPhase = ''
|
||||||
runHook preInstall
|
runHook preInstall
|
||||||
mkdir $out
|
mkdir $out
|
||||||
tar -C $out -xf ${srcs.${stdenv.hostPlatform.system}}
|
tar -C $out -xf ${src}
|
||||||
mv $out/usr/* $out/
|
mv $out/usr/* $out/
|
||||||
runHook postInstall
|
runHook postInstall
|
||||||
'';
|
'';
|
||||||
|
|
|
@ -202,7 +202,7 @@ stdenv.mkDerivation rec {
|
||||||
license = licenses.unfree;
|
license = licenses.unfree;
|
||||||
description = "Citrix Workspace";
|
description = "Citrix Workspace";
|
||||||
platforms = platforms.linux;
|
platforms = platforms.linux;
|
||||||
maintainers = with maintainers; [ ma27 ];
|
maintainers = with maintainers; [ pmenke ];
|
||||||
inherit homepage;
|
inherit homepage;
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|
|
@ -38,7 +38,7 @@ configureFlags = if useMpi then [ "LD=${mpi}/bin/mpif90" ] else [ "LD=${gfortran
|
||||||
'';
|
'';
|
||||||
homepage = "https://www.quantum-espresso.org/";
|
homepage = "https://www.quantum-espresso.org/";
|
||||||
license = licenses.gpl2;
|
license = licenses.gpl2;
|
||||||
platforms = [ "x86_64-linux" ];
|
platforms = [ "x86_64-linux" "x86_64-darwin" ];
|
||||||
maintainers = [ maintainers.costrouc ];
|
maintainers = [ maintainers.costrouc ];
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|
|
@ -12,10 +12,11 @@
|
||||||
assert (!blas.isILP64) && (!lapack.isILP64);
|
assert (!blas.isILP64) && (!lapack.isILP64);
|
||||||
|
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
name = "R-4.0.4";
|
pname = "R";
|
||||||
|
version = "4.0.4";
|
||||||
|
|
||||||
src = fetchurl {
|
src = fetchurl {
|
||||||
url = "https://cran.r-project.org/src/base/R-4/${name}.tar.gz";
|
url = "https://cran.r-project.org/src/base/R-${lib.versions.major version}/${pname}-${version}.tar.gz";
|
||||||
sha256 = "0bl098xcv8v316kqnf43v6gb4kcsv31ydqfm1f7qr824jzb2fgsj";
|
sha256 = "0bl098xcv8v316kqnf43v6gb4kcsv31ydqfm1f7qr824jzb2fgsj";
|
||||||
};
|
};
|
||||||
|
|
||||||
|
|
|
@ -2,16 +2,16 @@
|
||||||
|
|
||||||
buildGoModule rec {
|
buildGoModule rec {
|
||||||
pname = "gh";
|
pname = "gh";
|
||||||
version = "1.6.2";
|
version = "1.7.0";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "cli";
|
owner = "cli";
|
||||||
repo = "cli";
|
repo = "cli";
|
||||||
rev = "v${version}";
|
rev = "v${version}";
|
||||||
sha256 = "1wq8k626w3w2cnqp9gqdk7g4pjnqjjybkjgbfq5cvqsql3jdjg65";
|
sha256 = "0ndi264rrssqin03qmv7n0fpzs3kasfqykidrlcyizw1ngyfgc1a";
|
||||||
};
|
};
|
||||||
|
|
||||||
vendorSha256 = "0nk5axyr3nd9cbk8wswfhqf25dks22mky3rdn6ba9s0fpxhhkr5g";
|
vendorSha256 = "0ywh5d41b1c5ivwngsgn46d6yb7s1wqyzl5b0j1x4mcvydi5yi98";
|
||||||
|
|
||||||
nativeBuildInputs = [ installShellFiles ];
|
nativeBuildInputs = [ installShellFiles ];
|
||||||
|
|
||||||
|
|
|
@ -9,11 +9,11 @@ with lib;
|
||||||
|
|
||||||
buildGoPackage rec {
|
buildGoPackage rec {
|
||||||
pname = "gitea";
|
pname = "gitea";
|
||||||
version = "1.13.2";
|
version = "1.13.3";
|
||||||
|
|
||||||
src = fetchurl {
|
src = fetchurl {
|
||||||
url = "https://github.com/go-gitea/gitea/releases/download/v${version}/gitea-src-${version}.tar.gz";
|
url = "https://github.com/go-gitea/gitea/releases/download/v${version}/gitea-src-${version}.tar.gz";
|
||||||
sha256 = "sha256-uezg8GdNqgKVHgJj9rTqHFLWuLdyDp63fzr7DMslOII=";
|
sha256 = "sha256-+uuadtpDC4br+DUHpoY2aOwklpD9LxvkSqcBMC0+UHE=";
|
||||||
};
|
};
|
||||||
|
|
||||||
unpackPhase = ''
|
unpackPhase = ''
|
||||||
|
|
|
@ -1,11 +1,11 @@
|
||||||
{ lib, callPackage }:
|
{ lib, callPackage, fetchFromGitHub }:
|
||||||
|
|
||||||
with lib;
|
with lib;
|
||||||
|
|
||||||
rec {
|
rec {
|
||||||
dockerGen = {
|
dockerGen = {
|
||||||
version, rev, sha256
|
version, rev, sha256
|
||||||
, mobyRev, mobySha256
|
, moby-src
|
||||||
, runcRev, runcSha256
|
, runcRev, runcSha256
|
||||||
, containerdRev, containerdSha256
|
, containerdRev, containerdSha256
|
||||||
, tiniRev, tiniSha256, buildxSupport ? false
|
, tiniRev, tiniSha256, buildxSupport ? false
|
||||||
|
@ -65,12 +65,7 @@ rec {
|
||||||
inherit version;
|
inherit version;
|
||||||
inherit docker-runc docker-containerd docker-proxy docker-tini;
|
inherit docker-runc docker-containerd docker-proxy docker-tini;
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = moby-src;
|
||||||
owner = "moby";
|
|
||||||
repo = "moby";
|
|
||||||
rev = mobyRev;
|
|
||||||
sha256 = mobySha256;
|
|
||||||
};
|
|
||||||
|
|
||||||
goPackagePath = "github.com/docker/docker";
|
goPackagePath = "github.com/docker/docker";
|
||||||
|
|
||||||
|
@ -211,6 +206,9 @@ rec {
|
||||||
maintainers = with maintainers; [ offline tailhook vdemeester periklis ];
|
maintainers = with maintainers; [ offline tailhook vdemeester periklis ];
|
||||||
platforms = with platforms; linux ++ darwin;
|
platforms = with platforms; linux ++ darwin;
|
||||||
};
|
};
|
||||||
|
|
||||||
|
# Exposed for tarsum build on non-linux systems (build-support/docker/default.nix)
|
||||||
|
inherit moby-src;
|
||||||
});
|
});
|
||||||
|
|
||||||
# Get revisions from
|
# Get revisions from
|
||||||
|
@ -219,8 +217,12 @@ rec {
|
||||||
version = "20.10.2";
|
version = "20.10.2";
|
||||||
rev = "v${version}";
|
rev = "v${version}";
|
||||||
sha256 = "0z0hpm5hrqh7p8my8lmiwpym2shs48my6p0zv2cc34wym0hcly51";
|
sha256 = "0z0hpm5hrqh7p8my8lmiwpym2shs48my6p0zv2cc34wym0hcly51";
|
||||||
mobyRev = "v${version}";
|
moby-src = fetchFromGitHub {
|
||||||
mobySha256 = "0c2zycpnwj4kh8m8xckv1raj3fx07q9bfaj46rr85jihm4p2dp5w";
|
owner = "moby";
|
||||||
|
repo = "moby";
|
||||||
|
rev = "v${version}";
|
||||||
|
sha256 = "0c2zycpnwj4kh8m8xckv1raj3fx07q9bfaj46rr85jihm4p2dp5w";
|
||||||
|
};
|
||||||
runcRev = "ff819c7e9184c13b7c2607fe6c30ae19403a7aff"; # v1.0.0-rc92
|
runcRev = "ff819c7e9184c13b7c2607fe6c30ae19403a7aff"; # v1.0.0-rc92
|
||||||
runcSha256 = "0r4zbxbs03xr639r7848282j1ybhibfdhnxyap9p76j5w8ixms94";
|
runcSha256 = "0r4zbxbs03xr639r7848282j1ybhibfdhnxyap9p76j5w8ixms94";
|
||||||
containerdRev = "269548fa27e0089a8b8278fc4fc781d7f65a939b"; # v1.4.3
|
containerdRev = "269548fa27e0089a8b8278fc4fc781d7f65a939b"; # v1.4.3
|
||||||
|
|
|
@ -53,7 +53,8 @@ let
|
||||||
dynamicLinker =
|
dynamicLinker =
|
||||||
/**/ if libc == null then null
|
/**/ if libc == null then null
|
||||||
else if targetPlatform.libc == "musl" then "${libc_lib}/lib/ld-musl-*"
|
else if targetPlatform.libc == "musl" then "${libc_lib}/lib/ld-musl-*"
|
||||||
else if targetPlatform.libc == "bionic" then "/system/bin/linker"
|
else if (targetPlatform.libc == "bionic" && targetPlatform.is32bit) then "/system/bin/linker"
|
||||||
|
else if (targetPlatform.libc == "bionic" && targetPlatform.is64bit) then "/system/bin/linker64"
|
||||||
else if targetPlatform.libc == "nblibc" then "${libc_lib}/libexec/ld.elf_so"
|
else if targetPlatform.libc == "nblibc" then "${libc_lib}/libexec/ld.elf_so"
|
||||||
else if targetPlatform.system == "i686-linux" then "${libc_lib}/lib/ld-linux.so.2"
|
else if targetPlatform.system == "i686-linux" then "${libc_lib}/lib/ld-linux.so.2"
|
||||||
else if targetPlatform.system == "x86_64-linux" then "${libc_lib}/lib/ld-linux-x86-64.so.2"
|
else if targetPlatform.system == "x86_64-linux" then "${libc_lib}/lib/ld-linux-x86-64.so.2"
|
||||||
|
|
|
@ -16,10 +16,10 @@
|
||||||
}@args:
|
}@args:
|
||||||
|
|
||||||
stdenv.mkDerivation (args // {
|
stdenv.mkDerivation (args // {
|
||||||
pname = "php-${php.version}-${pname}";
|
name = "php-${pname}-${version}";
|
||||||
extensionName = pname;
|
extensionName = pname;
|
||||||
|
|
||||||
inherit version src;
|
inherit src;
|
||||||
|
|
||||||
nativeBuildInputs = [ autoreconfHook re2c ] ++ nativeBuildInputs;
|
nativeBuildInputs = [ autoreconfHook re2c ] ++ nativeBuildInputs;
|
||||||
buildInputs = [ php ] ++ peclDeps ++ buildInputs;
|
buildInputs = [ php ] ++ peclDeps ++ buildInputs;
|
||||||
|
|
|
@ -298,7 +298,10 @@ stdenv.mkDerivation {
|
||||||
# vs libstdc++, etc.) since Darwin isn't `useLLVM` on all counts. (See
|
# vs libstdc++, etc.) since Darwin isn't `useLLVM` on all counts. (See
|
||||||
# https://clang.llvm.org/docs/Toolchain.html for all the axes one might
|
# https://clang.llvm.org/docs/Toolchain.html for all the axes one might
|
||||||
# break `useLLVM` into.)
|
# break `useLLVM` into.)
|
||||||
+ optionalString (isClang && gccForLibs != null && targetPlatform.isLinux && !(stdenv.targetPlatform.useLLVM or false)) ''
|
+ optionalString (isClang && gccForLibs != null
|
||||||
|
&& targetPlatform.isLinux
|
||||||
|
&& !(stdenv.targetPlatform.useAndroidPrebuilt or false)
|
||||||
|
&& !(stdenv.targetPlatform.useLLVM or false)) ''
|
||||||
echo "--gcc-toolchain=${gccForLibs}" >> $out/nix-support/cc-cflags
|
echo "--gcc-toolchain=${gccForLibs}" >> $out/nix-support/cc-cflags
|
||||||
''
|
''
|
||||||
|
|
||||||
|
|
|
@ -21,7 +21,6 @@
|
||||||
runtimeShell,
|
runtimeShell,
|
||||||
shadow,
|
shadow,
|
||||||
skopeo,
|
skopeo,
|
||||||
stdenv,
|
|
||||||
storeDir ? builtins.storeDir,
|
storeDir ? builtins.storeDir,
|
||||||
substituteAll,
|
substituteAll,
|
||||||
symlinkJoin,
|
symlinkJoin,
|
||||||
|
@ -120,7 +119,7 @@ rec {
|
||||||
export GOPATH=$(pwd)
|
export GOPATH=$(pwd)
|
||||||
export GOCACHE="$TMPDIR/go-cache"
|
export GOCACHE="$TMPDIR/go-cache"
|
||||||
mkdir -p src/github.com/docker/docker/pkg
|
mkdir -p src/github.com/docker/docker/pkg
|
||||||
ln -sT ${docker.moby.src}/pkg/tarsum src/github.com/docker/docker/pkg/tarsum
|
ln -sT ${docker.moby-src}/pkg/tarsum src/github.com/docker/docker/pkg/tarsum
|
||||||
go build
|
go build
|
||||||
|
|
||||||
mkdir -p $out/bin
|
mkdir -p $out/bin
|
||||||
|
|
|
@ -1,4 +1,4 @@
|
||||||
{ lib, stdenvNoCC, runCommand, awscli }:
|
{ lib, runCommand, awscli }:
|
||||||
|
|
||||||
{ s3url
|
{ s3url
|
||||||
, name ? builtins.baseNameOf s3url
|
, name ? builtins.baseNameOf s3url
|
||||||
|
|
|
@ -7,7 +7,6 @@
|
||||||
python2Packages,
|
python2Packages,
|
||||||
python3Packages,
|
python3Packages,
|
||||||
runCommand,
|
runCommand,
|
||||||
stdenv,
|
|
||||||
writers,
|
writers,
|
||||||
writeText
|
writeText
|
||||||
}:
|
}:
|
||||||
|
|
|
@ -2,13 +2,13 @@
|
||||||
|
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
pname = "papirus-icon-theme";
|
pname = "papirus-icon-theme";
|
||||||
version = "20210201";
|
version = "20210302";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "PapirusDevelopmentTeam";
|
owner = "PapirusDevelopmentTeam";
|
||||||
repo = pname;
|
repo = pname;
|
||||||
rev = version;
|
rev = version;
|
||||||
sha256 = "sha256-TQEpNFmsloq1jIg6QsuY8kllINpmwJCY+Anwker6Z5M=";
|
sha256 = "0h1cja8qqlnddm92hkyhkyj5rqfj494v0pss2mg95qqkjijpcgd0";
|
||||||
};
|
};
|
||||||
|
|
||||||
nativeBuildInputs = [
|
nativeBuildInputs = [
|
||||||
|
@ -36,7 +36,7 @@ stdenv.mkDerivation rec {
|
||||||
meta = with lib; {
|
meta = with lib; {
|
||||||
description = "Papirus icon theme";
|
description = "Papirus icon theme";
|
||||||
homepage = "https://github.com/PapirusDevelopmentTeam/papirus-icon-theme";
|
homepage = "https://github.com/PapirusDevelopmentTeam/papirus-icon-theme";
|
||||||
license = licenses.lgpl3;
|
license = licenses.gpl3Only;
|
||||||
# darwin gives hash mismatch in source, probably because of file names differing only in case
|
# darwin gives hash mismatch in source, probably because of file names differing only in case
|
||||||
platforms = platforms.linux;
|
platforms = platforms.linux;
|
||||||
maintainers = with maintainers; [ romildo ];
|
maintainers = with maintainers; [ romildo ];
|
||||||
|
|
|
@ -2,13 +2,13 @@
|
||||||
|
|
||||||
rustPlatform.buildRustPackage rec {
|
rustPlatform.buildRustPackage rec {
|
||||||
pname = "gleam";
|
pname = "gleam";
|
||||||
version = "0.14.1";
|
version = "0.14.2";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "gleam-lang";
|
owner = "gleam-lang";
|
||||||
repo = pname;
|
repo = pname;
|
||||||
rev = "v${version}";
|
rev = "v${version}";
|
||||||
sha256 = "sha256-KAcb+YNfdNc5LJIApuzjXKnPTFOK0C5Jui32nij4O4U=";
|
sha256 = "sha256-C56aM3FFnjtTQawQOnITVGXK5XSA/Pk7surt8MJHZK0=";
|
||||||
};
|
};
|
||||||
|
|
||||||
nativeBuildInputs = [ pkg-config ];
|
nativeBuildInputs = [ pkg-config ];
|
||||||
|
@ -16,7 +16,7 @@ rustPlatform.buildRustPackage rec {
|
||||||
buildInputs = [ openssl ] ++
|
buildInputs = [ openssl ] ++
|
||||||
lib.optionals stdenv.isDarwin [ Security ];
|
lib.optionals stdenv.isDarwin [ Security ];
|
||||||
|
|
||||||
cargoSha256 = "sha256-Hxat6UZziIxHGLPydnnmgzdwtvjaeeqOgD+ZC823uJU=";
|
cargoSha256 = "sha256-AkkXV1cOM5YFvG5dUt7VarSzWyBZmvFMW08n1KqSAxY=";
|
||||||
|
|
||||||
meta = with lib; {
|
meta = with lib; {
|
||||||
description = "A statically typed language for the Erlang VM";
|
description = "A statically typed language for the Erlang VM";
|
||||||
|
|
|
@ -26,6 +26,7 @@ stdenv.mkDerivation rec {
|
||||||
"-DCMAKE_ASM_COMPILER_TARGET=${stdenv.hostPlatform.config}"
|
"-DCMAKE_ASM_COMPILER_TARGET=${stdenv.hostPlatform.config}"
|
||||||
] ++ lib.optionals (stdenv.isDarwin) [
|
] ++ lib.optionals (stdenv.isDarwin) [
|
||||||
"-DDARWIN_macosx_OVERRIDE_SDK_VERSION=ON"
|
"-DDARWIN_macosx_OVERRIDE_SDK_VERSION=ON"
|
||||||
|
"-DDARWIN_osx_ARCHS=${stdenv.hostPlatform.parsed.cpu.name}"
|
||||||
] ++ lib.optionals (useLLVM || bareMetal || isMusl) [
|
] ++ lib.optionals (useLLVM || bareMetal || isMusl) [
|
||||||
"-DCOMPILER_RT_BUILD_SANITIZERS=OFF"
|
"-DCOMPILER_RT_BUILD_SANITIZERS=OFF"
|
||||||
"-DCOMPILER_RT_BUILD_XRAY=OFF"
|
"-DCOMPILER_RT_BUILD_XRAY=OFF"
|
||||||
|
|
|
@ -1,4 +1,4 @@
|
||||||
{ lib, stdenv, fetchFromGitHub, callPackage, wrapCCWith }:
|
{ lib, fetchFromGitHub, callPackage, wrapCCWith }:
|
||||||
|
|
||||||
let
|
let
|
||||||
version = "4.0.1";
|
version = "4.0.1";
|
||||||
|
|
|
@ -1,10 +1,6 @@
|
||||||
{ mkDerivation }:
|
{ mkDerivation }:
|
||||||
|
|
||||||
mkDerivation {
|
mkDerivation {
|
||||||
version = "21.3.8.3";
|
version = "21.3.8.21";
|
||||||
sha256 = "1szybirrcpqsl2nmlmpbkxjqnm6i7l7bma87m5cpwi0kpvlxwmcw";
|
sha256 = "sha256-zQCs2hOA66jxAaxl/B42EKCejAktIav2rpVQCNyKCh4=";
|
||||||
|
|
||||||
prePatch = ''
|
|
||||||
substituteInPlace configure.in --replace '`sw_vers -productVersion`' "''${MACOSX_DEPLOYMENT_TARGET:-10.12}"
|
|
||||||
'';
|
|
||||||
}
|
}
|
||||||
|
|
|
@ -3,11 +3,6 @@
|
||||||
# How to obtain `sha256`:
|
# How to obtain `sha256`:
|
||||||
# nix-prefetch-url --unpack https://github.com/erlang/otp/archive/OTP-${version}.tar.gz
|
# nix-prefetch-url --unpack https://github.com/erlang/otp/archive/OTP-${version}.tar.gz
|
||||||
mkDerivation {
|
mkDerivation {
|
||||||
version = "22.3";
|
version = "22.3.4.16";
|
||||||
sha256 = "0srbyncgnr1kp0rrviq14ia3h795b3gk0iws5ishv6rphcq1rs27";
|
sha256 = "sha256-V0RwEPfjnHtEzShNh6Q49yGC5fbt2mNR4xy6f6iWvck=";
|
||||||
|
|
||||||
prePatch = ''
|
|
||||||
substituteInPlace make/configure.in --replace '`sw_vers -productVersion`' "''${MACOSX_DEPLOYMENT_TARGET:-10.12}"
|
|
||||||
substituteInPlace erts/configure.in --replace '-Wl,-no_weak_imports' ""
|
|
||||||
'';
|
|
||||||
}
|
}
|
||||||
|
|
|
@ -3,11 +3,6 @@
|
||||||
# How to obtain `sha256`:
|
# How to obtain `sha256`:
|
||||||
# nix-prefetch-url --unpack https://github.com/erlang/otp/archive/OTP-${version}.tar.gz
|
# nix-prefetch-url --unpack https://github.com/erlang/otp/archive/OTP-${version}.tar.gz
|
||||||
mkDerivation {
|
mkDerivation {
|
||||||
version = "23.1.4";
|
version = "23.2.6";
|
||||||
sha256 = "16ssxmrgjgvzg06aa1l4wz9rrdjfy39k22amgabxwb5if1g8bg8z";
|
sha256 = "sha256-G930sNbr8h5ryI/IE+J6OKhR5ij68ZhGo1YIEjSOwGU=";
|
||||||
|
|
||||||
prePatch = ''
|
|
||||||
substituteInPlace make/configure.in --replace '`sw_vers -productVersion`' "''${MACOSX_DEPLOYMENT_TARGET:-10.12}"
|
|
||||||
substituteInPlace erts/configure.in --replace '-Wl,-no_weak_imports' ""
|
|
||||||
'';
|
|
||||||
}
|
}
|
||||||
|
|
|
@ -57,20 +57,13 @@ in stdenv.mkDerivation ({
|
||||||
++ optionals odbcSupport odbcPackages
|
++ optionals odbcSupport odbcPackages
|
||||||
++ optionals javacSupport javacPackages
|
++ optionals javacSupport javacPackages
|
||||||
++ optional withSystemd systemd
|
++ optional withSystemd systemd
|
||||||
++ optionals stdenv.isDarwin (with pkgs.darwin.apple_sdk.frameworks; [ Carbon Cocoa ]);
|
++ optionals stdenv.isDarwin (with pkgs.darwin.apple_sdk.frameworks; [ AGL Carbon Cocoa WebKit ]);
|
||||||
|
|
||||||
debugInfo = enableDebugInfo;
|
debugInfo = enableDebugInfo;
|
||||||
|
|
||||||
# On some machines, parallel build reliably crashes on `GEN asn1ct_eval_ext.erl` step
|
# On some machines, parallel build reliably crashes on `GEN asn1ct_eval_ext.erl` step
|
||||||
enableParallelBuilding = parallelBuild;
|
enableParallelBuilding = parallelBuild;
|
||||||
|
|
||||||
# Clang 4 (rightfully) thinks signed comparisons of pointers with NULL are nonsense
|
|
||||||
prePatch = ''
|
|
||||||
substituteInPlace lib/wx/c_src/wxe_impl.cpp --replace 'temp > NULL' 'temp != NULL'
|
|
||||||
|
|
||||||
${prePatch}
|
|
||||||
'';
|
|
||||||
|
|
||||||
postPatch = ''
|
postPatch = ''
|
||||||
patchShebangs make
|
patchShebangs make
|
||||||
|
|
||||||
|
@ -132,6 +125,7 @@ in stdenv.mkDerivation ({
|
||||||
// optionalAttrs (preUnpack != "") { inherit preUnpack; }
|
// optionalAttrs (preUnpack != "") { inherit preUnpack; }
|
||||||
// optionalAttrs (postUnpack != "") { inherit postUnpack; }
|
// optionalAttrs (postUnpack != "") { inherit postUnpack; }
|
||||||
// optionalAttrs (patches != []) { inherit patches; }
|
// optionalAttrs (patches != []) { inherit patches; }
|
||||||
|
// optionalAttrs (prePatch != "") { inherit prePatch; }
|
||||||
// optionalAttrs (patchPhase != "") { inherit patchPhase; }
|
// optionalAttrs (patchPhase != "") { inherit patchPhase; }
|
||||||
// optionalAttrs (configurePhase != "") { inherit configurePhase; }
|
// optionalAttrs (configurePhase != "") { inherit configurePhase; }
|
||||||
// optionalAttrs (preConfigure != "") { inherit preConfigure; }
|
// optionalAttrs (preConfigure != "") { inherit preConfigure; }
|
||||||
|
|
|
@ -1,4 +1,4 @@
|
||||||
{ lib, stdenv, fetchFromGitHub, cmake, aws-c-cal, aws-c-common, aws-c-io, aws-checksums, s2n, libexecinfo }:
|
{ lib, stdenv, fetchFromGitHub, cmake, aws-c-cal, aws-c-common, aws-c-io, aws-checksums, s2n-tls, libexecinfo }:
|
||||||
|
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
pname = "aws-c-event-stream";
|
pname = "aws-c-event-stream";
|
||||||
|
@ -13,7 +13,7 @@ stdenv.mkDerivation rec {
|
||||||
|
|
||||||
nativeBuildInputs = [ cmake ];
|
nativeBuildInputs = [ cmake ];
|
||||||
|
|
||||||
buildInputs = [ aws-c-cal aws-c-common aws-c-io aws-checksums s2n ]
|
buildInputs = [ aws-c-cal aws-c-common aws-c-io aws-checksums s2n-tls ]
|
||||||
++ lib.optional stdenv.hostPlatform.isMusl libexecinfo;
|
++ lib.optional stdenv.hostPlatform.isMusl libexecinfo;
|
||||||
|
|
||||||
cmakeFlags = [
|
cmakeFlags = [
|
||||||
|
|
|
@ -1,4 +1,4 @@
|
||||||
{ lib, stdenv, fetchFromGitHub, cmake, aws-c-cal, aws-c-common, s2n, Security }:
|
{ lib, stdenv, fetchFromGitHub, cmake, aws-c-cal, aws-c-common, s2n-tls, Security }:
|
||||||
|
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
pname = "aws-c-io";
|
pname = "aws-c-io";
|
||||||
|
@ -13,7 +13,7 @@ stdenv.mkDerivation rec {
|
||||||
|
|
||||||
nativeBuildInputs = [ cmake ];
|
nativeBuildInputs = [ cmake ];
|
||||||
|
|
||||||
buildInputs = [ aws-c-cal aws-c-common s2n] ++ lib.optionals stdenv.isDarwin [ Security ];
|
buildInputs = [ aws-c-cal aws-c-common s2n-tls] ++ lib.optionals stdenv.isDarwin [ Security ];
|
||||||
|
|
||||||
cmakeFlags = [
|
cmakeFlags = [
|
||||||
"-DBUILD_SHARED_LIBS=ON"
|
"-DBUILD_SHARED_LIBS=ON"
|
||||||
|
|
|
@ -1,4 +1,4 @@
|
||||||
{ lib, stdenv, fetchFromGitHub, cmake, curl, openssl, s2n, zlib
|
{ lib, stdenv, fetchFromGitHub, cmake, curl, openssl, s2n-tls, zlib
|
||||||
, aws-c-cal, aws-c-common, aws-c-event-stream, aws-c-io, aws-checksums
|
, aws-c-cal, aws-c-common, aws-c-event-stream, aws-c-io, aws-checksums
|
||||||
, CoreAudio, AudioToolbox
|
, CoreAudio, AudioToolbox
|
||||||
, # Allow building a limited set of APIs, e.g. ["s3" "ec2"].
|
, # Allow building a limited set of APIs, e.g. ["s3" "ec2"].
|
||||||
|
@ -25,7 +25,7 @@ stdenv.mkDerivation rec {
|
||||||
nativeBuildInputs = [ cmake curl ];
|
nativeBuildInputs = [ cmake curl ];
|
||||||
|
|
||||||
buildInputs = [
|
buildInputs = [
|
||||||
curl openssl s2n zlib
|
curl openssl s2n-tls zlib
|
||||||
aws-c-cal aws-c-common aws-c-event-stream aws-c-io aws-checksums
|
aws-c-cal aws-c-common aws-c-event-stream aws-c-io aws-checksums
|
||||||
] ++ lib.optionals (stdenv.isDarwin &&
|
] ++ lib.optionals (stdenv.isDarwin &&
|
||||||
((builtins.elem "text-to-speech" apis) ||
|
((builtins.elem "text-to-speech" apis) ||
|
||||||
|
|
|
@ -1,5 +1,5 @@
|
||||||
{ lib, stdenv, fetchurl
|
{ lib, stdenv, fetchurl
|
||||||
, buildPackages
|
, buildPackages, pkgsHostHost
|
||||||
, pkg-config, which, makeWrapper
|
, pkg-config, which, makeWrapper
|
||||||
, zlib, bzip2, libpng, gnumake, glib
|
, zlib, bzip2, libpng, gnumake, glib
|
||||||
|
|
||||||
|
@ -64,7 +64,7 @@ in stdenv.mkDerivation rec {
|
||||||
|
|
||||||
postInstall = glib.flattenInclude + ''
|
postInstall = glib.flattenInclude + ''
|
||||||
substituteInPlace $dev/bin/freetype-config \
|
substituteInPlace $dev/bin/freetype-config \
|
||||||
--replace ${buildPackages.pkg-config} ${pkg-config}
|
--replace ${buildPackages.pkg-config} ${pkgsHostHost.pkg-config}
|
||||||
|
|
||||||
wrapProgram "$dev/bin/freetype-config" \
|
wrapProgram "$dev/bin/freetype-config" \
|
||||||
--set PKG_CONFIG_PATH "$PKG_CONFIG_PATH:$dev/lib/pkgconfig"
|
--set PKG_CONFIG_PATH "$PKG_CONFIG_PATH:$dev/lib/pkgconfig"
|
||||||
|
|
|
@ -79,6 +79,7 @@
|
||||||
, x265
|
, x265
|
||||||
, libxml2
|
, libxml2
|
||||||
, srt
|
, srt
|
||||||
|
, vo-aacenc
|
||||||
}:
|
}:
|
||||||
|
|
||||||
assert faacSupport -> faac != null;
|
assert faacSupport -> faac != null;
|
||||||
|
@ -97,6 +98,7 @@ in stdenv.mkDerivation rec {
|
||||||
};
|
};
|
||||||
|
|
||||||
patches = [
|
patches = [
|
||||||
|
# Use pkgconfig to inject the includedirs
|
||||||
./fix_pkgconfig_includedir.patch
|
./fix_pkgconfig_includedir.patch
|
||||||
];
|
];
|
||||||
|
|
||||||
|
@ -115,6 +117,8 @@ in stdenv.mkDerivation rec {
|
||||||
buildInputs = [
|
buildInputs = [
|
||||||
gst-plugins-base
|
gst-plugins-base
|
||||||
orc
|
orc
|
||||||
|
# gobject-introspection has to be in both nativeBuildInputs and
|
||||||
|
# buildInputs. The build tries to link against libgirepository-1.0.so
|
||||||
gobject-introspection
|
gobject-introspection
|
||||||
faad2
|
faad2
|
||||||
libass
|
libass
|
||||||
|
@ -161,6 +165,7 @@ in stdenv.mkDerivation rec {
|
||||||
libxml2
|
libxml2
|
||||||
libintl
|
libintl
|
||||||
srt
|
srt
|
||||||
|
vo-aacenc
|
||||||
] ++ optionals enableZbar [
|
] ++ optionals enableZbar [
|
||||||
zbar
|
zbar
|
||||||
] ++ optionals faacSupport [
|
] ++ optionals faacSupport [
|
||||||
|
@ -239,7 +244,6 @@ in stdenv.mkDerivation rec {
|
||||||
"-Dsvthevcenc=disabled" # required `SvtHevcEnc` library not packaged in nixpkgs as of writing
|
"-Dsvthevcenc=disabled" # required `SvtHevcEnc` library not packaged in nixpkgs as of writing
|
||||||
"-Dteletext=disabled" # required `zvbi` library not packaged in nixpkgs as of writing
|
"-Dteletext=disabled" # required `zvbi` library not packaged in nixpkgs as of writing
|
||||||
"-Dtinyalsa=disabled" # not packaged in nixpkgs as of writing
|
"-Dtinyalsa=disabled" # not packaged in nixpkgs as of writing
|
||||||
"-Dvoaacenc=disabled" # required `vo-aacenc` library not packaged in nixpkgs as of writing
|
|
||||||
"-Dvoamrwbenc=disabled" # required `vo-amrwbenc` library not packaged in nixpkgs as of writing
|
"-Dvoamrwbenc=disabled" # required `vo-amrwbenc` library not packaged in nixpkgs as of writing
|
||||||
"-Dvulkan=disabled" # Linux-only, and we haven't figured out yet which of the vulkan nixpkgs it needs
|
"-Dvulkan=disabled" # Linux-only, and we haven't figured out yet which of the vulkan nixpkgs it needs
|
||||||
"-Dwasapi=disabled" # not packaged in nixpkgs as of writing / no Windows support
|
"-Dwasapi=disabled" # not packaged in nixpkgs as of writing / no Windows support
|
||||||
|
|
|
@ -11,6 +11,8 @@ stdenv.mkDerivation rec {
|
||||||
pname = "libayatana-appindicator-gtk${gtkVersion}";
|
pname = "libayatana-appindicator-gtk${gtkVersion}";
|
||||||
version = "0.5.5";
|
version = "0.5.5";
|
||||||
|
|
||||||
|
outputs = [ "out" "dev" ];
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "AyatanaIndicators";
|
owner = "AyatanaIndicators";
|
||||||
repo = "libayatana-appindicator";
|
repo = "libayatana-appindicator";
|
||||||
|
|
|
@ -0,0 +1,24 @@
|
||||||
|
{ stdenv, lib, fetchFromGitHub, autoreconfHook, pkg-config, jansson, openssl }:
|
||||||
|
|
||||||
|
stdenv.mkDerivation rec {
|
||||||
|
pname = "libjwt";
|
||||||
|
version = "1.12.1";
|
||||||
|
|
||||||
|
src = fetchFromGitHub {
|
||||||
|
owner = "benmcollins";
|
||||||
|
repo = "libjwt";
|
||||||
|
rev = "v${version}";
|
||||||
|
sha256 = "1c69slf9k56gh0xcg6269v712ysm6wckracms4grdsc72xg6x7h2";
|
||||||
|
};
|
||||||
|
|
||||||
|
buildInputs = [ jansson openssl ];
|
||||||
|
nativeBuildInputs = [ autoreconfHook pkg-config ];
|
||||||
|
|
||||||
|
meta = with lib; {
|
||||||
|
homepage = "https://github.com/benmcollins/libjwt";
|
||||||
|
description = "JWT C Library";
|
||||||
|
license = licenses.mpl20;
|
||||||
|
maintainers = with maintainers; [ pnotequalnp ];
|
||||||
|
platforms = platforms.all;
|
||||||
|
};
|
||||||
|
}
|
|
@ -0,0 +1,27 @@
|
||||||
|
{ cmake
|
||||||
|
, fetchFromGitHub
|
||||||
|
, lib
|
||||||
|
, stdenv
|
||||||
|
}:
|
||||||
|
|
||||||
|
stdenv.mkDerivation rec {
|
||||||
|
pname = "libowlevelzs";
|
||||||
|
version = "0.1.1";
|
||||||
|
|
||||||
|
src = fetchFromGitHub {
|
||||||
|
owner = "zseri";
|
||||||
|
repo = "libowlevelzs";
|
||||||
|
rev = "v${version}";
|
||||||
|
sha256 = "y/EaMMsmJEmnptfjwiat4FC2+iIKlndC2Wdpop3t7vY=";
|
||||||
|
};
|
||||||
|
|
||||||
|
nativeBuildInputs = [ cmake ];
|
||||||
|
|
||||||
|
meta = with lib; {
|
||||||
|
description = "Zscheile Lowlevel (utility) library";
|
||||||
|
homepage = "https://github.com/zseri/libowlevelzs";
|
||||||
|
license = licenses.mit;
|
||||||
|
maintainers = with maintainers; [ zseri ];
|
||||||
|
platforms = platforms.all;
|
||||||
|
};
|
||||||
|
}
|
|
@ -1,14 +1,14 @@
|
||||||
{ lib, stdenv, fetchFromGitHub, cmake, openssl }:
|
{ lib, stdenv, fetchFromGitHub, cmake, openssl }:
|
||||||
|
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
pname = "s2n";
|
pname = "s2n-tls";
|
||||||
version = "0.10.23";
|
version = "1.0.0";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "awslabs";
|
owner = "aws";
|
||||||
repo = pname;
|
repo = pname;
|
||||||
rev = "v${version}";
|
rev = "v${version}";
|
||||||
sha256 = "063wqpszhfcbxm7a7s6d6kinqd6b6dxij85lk9jjkrslg5fgqbki";
|
sha256 = "1q6kmgwb8jxmc4ijzk9pkqzz8lsbfsv9hyzqvy944w7306zx1r5h";
|
||||||
};
|
};
|
||||||
|
|
||||||
nativeBuildInputs = [ cmake ];
|
nativeBuildInputs = [ cmake ];
|
||||||
|
@ -21,7 +21,7 @@ stdenv.mkDerivation rec {
|
||||||
|
|
||||||
meta = with lib; {
|
meta = with lib; {
|
||||||
description = "C99 implementation of the TLS/SSL protocols";
|
description = "C99 implementation of the TLS/SSL protocols";
|
||||||
homepage = "https://github.com/awslabs/s2n";
|
homepage = "https://github.com/aws/s2n-tls";
|
||||||
license = licenses.asl20;
|
license = licenses.asl20;
|
||||||
platforms = platforms.unix;
|
platforms = platforms.unix;
|
||||||
maintainers = with maintainers; [ orivej ];
|
maintainers = with maintainers; [ orivej ];
|
|
@ -1,4 +1,4 @@
|
||||||
{ lib, stdenv, mkDerivation, fetchFromBitbucket, makeWrapper, runCommand
|
{ lib, mkDerivation, fetchFromBitbucket, makeWrapper, runCommand
|
||||||
, python3, vapoursynth
|
, python3, vapoursynth
|
||||||
, qmake, qtbase, qtwebsockets
|
, qmake, qtbase, qtwebsockets
|
||||||
}:
|
}:
|
||||||
|
|
|
@ -0,0 +1,19 @@
|
||||||
|
{ lib, stdenv, fetchurl }:
|
||||||
|
|
||||||
|
stdenv.mkDerivation rec {
|
||||||
|
pname = "vo-aacenc";
|
||||||
|
version = "0.1.3";
|
||||||
|
|
||||||
|
src = fetchurl {
|
||||||
|
url = "mirror://sourceforge/opencore-amr/fdk-aac/${pname}-${version}.tar.gz";
|
||||||
|
sha256 = "sha256-5Rp0d6NZ8Y33xPgtGV2rThTnQUy9SM95zBlfxEaFDzY=";
|
||||||
|
};
|
||||||
|
|
||||||
|
meta = with lib; {
|
||||||
|
description = "VisualOn AAC encoder library";
|
||||||
|
homepage = "https://sourceforge.net/projects/opencore-amr/";
|
||||||
|
license = licenses.asl20;
|
||||||
|
maintainers = [ maintainers.baloo ];
|
||||||
|
platforms = platforms.all;
|
||||||
|
};
|
||||||
|
}
|
|
@ -24,7 +24,8 @@
|
||||||
}:
|
}:
|
||||||
|
|
||||||
let
|
let
|
||||||
inherit (pkgs) stdenv lib fetchurl makeWrapper unzip;
|
inherit (pkgs) stdenv lib fetchurl;
|
||||||
|
inherit (pkgs.buildPackages) makeWrapper unzip;
|
||||||
|
|
||||||
# Determine the Android os identifier from Nix's system identifier
|
# Determine the Android os identifier from Nix's system identifier
|
||||||
os = if stdenv.system == "x86_64-linux" then "linux"
|
os = if stdenv.system == "x86_64-linux" then "linux"
|
||||||
|
|
|
@ -4,6 +4,8 @@ buildDunePackage rec {
|
||||||
pname = "bigarray-compat";
|
pname = "bigarray-compat";
|
||||||
version = "1.0.0";
|
version = "1.0.0";
|
||||||
|
|
||||||
|
useDune2 = true;
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "mirage";
|
owner = "mirage";
|
||||||
repo = pname;
|
repo = pname;
|
||||||
|
|
|
@ -4,6 +4,8 @@ buildDunePackage rec {
|
||||||
pname = "biniou";
|
pname = "biniou";
|
||||||
version = "1.2.1";
|
version = "1.2.1";
|
||||||
|
|
||||||
|
useDune2 = true;
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "ocaml-community";
|
owner = "ocaml-community";
|
||||||
repo = pname;
|
repo = pname;
|
||||||
|
|
|
@ -1,4 +1,4 @@
|
||||||
{ stdenv, lib, fetchFromGitHub, buildOasisPackage
|
{ lib, fetchFromGitHub, buildOasisPackage
|
||||||
, ctypes, mariadb, libmysqlclient }:
|
, ctypes, mariadb, libmysqlclient }:
|
||||||
|
|
||||||
buildOasisPackage rec {
|
buildOasisPackage rec {
|
||||||
|
|
|
@ -1,41 +1,75 @@
|
||||||
{ lib, buildPythonPackage, fetchFromGitHub, isPy3k, curve25519-donna, ed25519
|
{ lib
|
||||||
, cryptography, ecdsa, zeroconf, pytestCheckHook }:
|
, buildPythonPackage
|
||||||
|
, cryptography
|
||||||
|
, curve25519-donna
|
||||||
|
, ecdsa
|
||||||
|
, ed25519
|
||||||
|
, fetchFromGitHub
|
||||||
|
, h11
|
||||||
|
, pytest-asyncio
|
||||||
|
, pytest-timeout
|
||||||
|
, pytestCheckHook
|
||||||
|
, pythonOlder
|
||||||
|
, zeroconf
|
||||||
|
}:
|
||||||
|
|
||||||
buildPythonPackage rec {
|
buildPythonPackage rec {
|
||||||
pname = "HAP-python";
|
pname = "HAP-python";
|
||||||
version = "3.1.0";
|
version = "3.3.2";
|
||||||
|
disabled = pythonOlder "3.5";
|
||||||
|
|
||||||
# pypi package does not include tests
|
# pypi package does not include tests
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "ikalchev";
|
owner = "ikalchev";
|
||||||
repo = pname;
|
repo = pname;
|
||||||
rev = "v${version}";
|
rev = "v${version}";
|
||||||
sha256 = "1qg38lfjby2xfm09chzc40a7i3b84kgyfs7g4xq8f5m8s39hg6d7";
|
sha256 = "sha256-oDTyFIhf7oogYyh9LpmVtagi1kDXLCc/7c2UH1dL2Sg=";
|
||||||
};
|
};
|
||||||
|
|
||||||
disabled = !isPy3k;
|
|
||||||
|
|
||||||
propagatedBuildInputs = [
|
propagatedBuildInputs = [
|
||||||
curve25519-donna
|
|
||||||
ed25519
|
|
||||||
cryptography
|
cryptography
|
||||||
|
curve25519-donna
|
||||||
ecdsa
|
ecdsa
|
||||||
|
ed25519
|
||||||
|
h11
|
||||||
zeroconf
|
zeroconf
|
||||||
];
|
];
|
||||||
|
|
||||||
checkInputs = [ pytestCheckHook ];
|
checkInputs = [
|
||||||
|
pytest-asyncio
|
||||||
|
pytest-timeout
|
||||||
|
pytestCheckHook
|
||||||
|
];
|
||||||
|
|
||||||
disabledTests = [
|
disabledTests = [
|
||||||
#disable tests needing network
|
# Disable tests needing network
|
||||||
"test_persist"
|
"camera"
|
||||||
"test_setup_endpoints"
|
"pair"
|
||||||
|
"test_async_subscribe_client_topic"
|
||||||
"test_auto_add_aid_mac"
|
"test_auto_add_aid_mac"
|
||||||
"test_service_callbacks"
|
"test_connection_management"
|
||||||
"test_send_events"
|
"test_crypto_failure_closes_connection"
|
||||||
"test_not_standalone_aid"
|
"test_empty_encrypted_data"
|
||||||
"test_start_stop_async_acc"
|
|
||||||
"test_external_zeroconf"
|
"test_external_zeroconf"
|
||||||
"test_start_stop_sync_acc"
|
"test_get_accessories"
|
||||||
|
"test_get_characteristics"
|
||||||
|
"test_handle_set_handle_set"
|
||||||
|
"test_handle_snapshot_encrypted_non_existant_accessory"
|
||||||
|
"test_http_11_keep_alive"
|
||||||
|
"test_http10_close"
|
||||||
|
"test_mdns_service_info"
|
||||||
|
"test_mixing_service_char_callbacks_partial_failure"
|
||||||
|
"test_not_standalone_aid"
|
||||||
|
"test_persist"
|
||||||
|
"test_push_event"
|
||||||
|
"test_send_events"
|
||||||
|
"test_service_callbacks"
|
||||||
|
"test_set_characteristics_with_crypto"
|
||||||
|
"test_setup_endpoints"
|
||||||
|
"test_start"
|
||||||
|
"test_upgrade_to_encrypted"
|
||||||
|
"test_we_can_start_stop"
|
||||||
|
"test_xhm_uri"
|
||||||
];
|
];
|
||||||
|
|
||||||
meta = with lib; {
|
meta = with lib; {
|
||||||
|
|
|
@ -11,11 +11,11 @@
|
||||||
|
|
||||||
buildPythonPackage rec {
|
buildPythonPackage rec {
|
||||||
pname = "bleach";
|
pname = "bleach";
|
||||||
version = "3.2.3";
|
version = "3.3.0";
|
||||||
|
|
||||||
src = fetchPypi {
|
src = fetchPypi {
|
||||||
inherit pname version;
|
inherit pname version;
|
||||||
sha256 = "c6ad42174219b64848e2e2cd434e44f56cd24a93a9b4f8bc52cfed55a1cd5aad";
|
sha256 = "sha256-mLMXBznl6D3Z3BljPwdHJ62EjL7bYCZwjIrC07aXpDM=";
|
||||||
};
|
};
|
||||||
|
|
||||||
checkInputs = [ pytest pytestrunner ];
|
checkInputs = [ pytest pytestrunner ];
|
||||||
|
|
|
@ -13,11 +13,11 @@
|
||||||
|
|
||||||
buildPythonPackage rec {
|
buildPythonPackage rec {
|
||||||
pname = "boto3";
|
pname = "boto3";
|
||||||
version = "1.17.18"; # N.B: if you change this, change botocore and awscli to a matching version
|
version = "1.17.20"; # N.B: if you change this, change botocore and awscli to a matching version
|
||||||
|
|
||||||
src = fetchPypi {
|
src = fetchPypi {
|
||||||
inherit pname version;
|
inherit pname version;
|
||||||
sha256 = "sha256-NXCjwPvYC8swRJ+Hz50vertn+sKl4xfQAvmSHFm+mxc=";
|
sha256 = "sha256-Ihnx6+iNJmr6VRb5k5g+uodCuVf6T9aFTzxzqjAw6TE=";
|
||||||
};
|
};
|
||||||
|
|
||||||
propagatedBuildInputs = [ botocore jmespath s3transfer ] ++ lib.optionals (!isPy3k) [ futures ];
|
propagatedBuildInputs = [ botocore jmespath s3transfer ] ++ lib.optionals (!isPy3k) [ futures ];
|
||||||
|
|
|
@ -12,11 +12,11 @@
|
||||||
|
|
||||||
buildPythonPackage rec {
|
buildPythonPackage rec {
|
||||||
pname = "botocore";
|
pname = "botocore";
|
||||||
version = "1.20.18"; # N.B: if you change this, change boto3 and awscli to a matching version
|
version = "1.20.20"; # N.B: if you change this, change boto3 and awscli to a matching version
|
||||||
|
|
||||||
src = fetchPypi {
|
src = fetchPypi {
|
||||||
inherit pname version;
|
inherit pname version;
|
||||||
sha256 = "sha256-UZALENpK5FvksWBF5bL/fRFYp5VdnXzF5am6MXDxBYY=";
|
sha256 = "sha256-gMMqgfse6L36B0p5v7iFuyAG6Kl4LyNTwMn2OScE4To=";
|
||||||
};
|
};
|
||||||
|
|
||||||
propagatedBuildInputs = [
|
propagatedBuildInputs = [
|
||||||
|
|
|
@ -13,12 +13,12 @@
|
||||||
}:
|
}:
|
||||||
|
|
||||||
buildPythonPackage rec {
|
buildPythonPackage rec {
|
||||||
version = "0.20.19";
|
version = "0.20.20";
|
||||||
pname = "dulwich";
|
pname = "dulwich";
|
||||||
|
|
||||||
src = fetchPypi {
|
src = fetchPypi {
|
||||||
inherit pname version;
|
inherit pname version;
|
||||||
sha256 = "7a5c976c5ce737ec207be1815c654351bf1d0387fc6480ed32cd58c9d0e2cda9";
|
sha256 = "sha256-QmlZuXBfrcxsgg5a3zKR1xpIq6CvzPdBFCLjMI8RX4c=";
|
||||||
};
|
};
|
||||||
|
|
||||||
LC_ALL = "en_US.UTF-8";
|
LC_ALL = "en_US.UTF-8";
|
||||||
|
|
|
@ -3,14 +3,14 @@
|
||||||
|
|
||||||
buildPythonPackage rec {
|
buildPythonPackage rec {
|
||||||
pname = "exdown";
|
pname = "exdown";
|
||||||
version = "0.7.1";
|
version = "0.8.5";
|
||||||
format = "pyproject";
|
format = "pyproject";
|
||||||
|
|
||||||
disabled = isPy27;
|
disabled = isPy27;
|
||||||
|
|
||||||
src = fetchPypi {
|
src = fetchPypi {
|
||||||
inherit pname version;
|
inherit pname version;
|
||||||
sha256 = "sha256-vnSso3vmPIjX7JX+NwoxguwqwPHocJACeh5H0ClPcUI=";
|
sha256 = "1ly67whyfn74nr0dncarf3xbd96hacvzgjihx4ibckkc4h9z46bj";
|
||||||
};
|
};
|
||||||
|
|
||||||
propagatedBuildInputs = lib.optionals (pythonOlder "3.8") [ importlib-metadata ];
|
propagatedBuildInputs = lib.optionals (pythonOlder "3.8") [ importlib-metadata ];
|
||||||
|
|
|
@ -0,0 +1,40 @@
|
||||||
|
{ lib
|
||||||
|
, buildPythonPackage
|
||||||
|
, fetchPypi
|
||||||
|
, numpy
|
||||||
|
, netcdf4
|
||||||
|
, h5py
|
||||||
|
, exdown
|
||||||
|
, pytestCheckHook
|
||||||
|
}:
|
||||||
|
|
||||||
|
buildPythonPackage rec {
|
||||||
|
pname = "meshio";
|
||||||
|
version = "4.3.10";
|
||||||
|
format = "pyproject";
|
||||||
|
|
||||||
|
src = fetchPypi {
|
||||||
|
inherit pname version;
|
||||||
|
sha256 = "1i34bk8bbc0dnizrlgj0yxnbzyvndkmnl6ryymxgcl9rv1abkfki";
|
||||||
|
};
|
||||||
|
|
||||||
|
propagatedBuildInputs = [
|
||||||
|
numpy
|
||||||
|
netcdf4
|
||||||
|
h5py
|
||||||
|
];
|
||||||
|
|
||||||
|
checkInputs = [
|
||||||
|
exdown
|
||||||
|
pytestCheckHook
|
||||||
|
];
|
||||||
|
|
||||||
|
pythonImportsCheck = ["meshio"];
|
||||||
|
|
||||||
|
meta = with lib; {
|
||||||
|
homepage = "https://github.com/nschloe/meshio";
|
||||||
|
description = "I/O for mesh files.";
|
||||||
|
license = licenses.mit;
|
||||||
|
maintainers = with maintainers; [ wd15 ];
|
||||||
|
};
|
||||||
|
}
|
|
@ -1,6 +1,5 @@
|
||||||
{ buildPackages
|
{ buildPackages
|
||||||
, lib
|
, lib
|
||||||
, stdenv
|
|
||||||
, fetchpatch
|
, fetchpatch
|
||||||
, python
|
, python
|
||||||
, buildPythonPackage
|
, buildPythonPackage
|
||||||
|
|
|
@ -18,7 +18,6 @@ buildPythonPackage rec {
|
||||||
pname = "pyside-shiboken";
|
pname = "pyside-shiboken";
|
||||||
version = "1.2.4";
|
version = "1.2.4";
|
||||||
format = "other";
|
format = "other";
|
||||||
disabled = !isPy3k;
|
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "PySide";
|
owner = "PySide";
|
||||||
|
|
|
@ -33,6 +33,9 @@ buildPythonPackage rec {
|
||||||
pytestCheckHook
|
pytestCheckHook
|
||||||
];
|
];
|
||||||
|
|
||||||
|
# AttributeError: 'KeywordMapping' object has no attribute 'get'
|
||||||
|
doCheck = ! isPy27;
|
||||||
|
|
||||||
disabledTests = [
|
disabledTests = [
|
||||||
# Disable tests that require network access and use httpbin
|
# Disable tests that require network access and use httpbin
|
||||||
"requests.api.request"
|
"requests.api.request"
|
||||||
|
@ -56,7 +59,5 @@ buildPythonPackage rec {
|
||||||
homepage = "http://docs.python-requests.org/en/latest/";
|
homepage = "http://docs.python-requests.org/en/latest/";
|
||||||
license = licenses.asl20;
|
license = licenses.asl20;
|
||||||
maintainers = with maintainers; [ fab ];
|
maintainers = with maintainers; [ fab ];
|
||||||
# AttributeError: 'KeywordMapping' object has no attribute 'get'
|
|
||||||
broken = isPy27;
|
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|
|
@ -14,11 +14,11 @@
|
||||||
|
|
||||||
buildPythonPackage rec {
|
buildPythonPackage rec {
|
||||||
pname = "sagemaker";
|
pname = "sagemaker";
|
||||||
version = "2.27.0";
|
version = "2.28.0";
|
||||||
|
|
||||||
src = fetchPypi {
|
src = fetchPypi {
|
||||||
inherit pname version;
|
inherit pname version;
|
||||||
sha256 = "sha256-1u5icjqz23j0QUToStZZMklBAYF4A1cfBqzg83MQAQI=";
|
sha256 = "sha256-SOk4VM227gAlLX615xPy0lcATRzth7M3HGH557iF2Wc=";
|
||||||
};
|
};
|
||||||
|
|
||||||
pythonImportsCheck = [
|
pythonImportsCheck = [
|
||||||
|
|
|
@ -9,15 +9,21 @@
|
||||||
, cython
|
, cython
|
||||||
, python
|
, python
|
||||||
, sympy
|
, sympy
|
||||||
|
, meshio
|
||||||
|
, mpi4py
|
||||||
|
, psutil
|
||||||
|
, openssh
|
||||||
|
, pythonOlder
|
||||||
}:
|
}:
|
||||||
|
|
||||||
buildPythonPackage rec {
|
buildPythonPackage rec {
|
||||||
name = "sfepy_${version}";
|
name = "sfepy";
|
||||||
version = "2019.4";
|
version = "2020.4";
|
||||||
|
disabled = pythonOlder "3.8";
|
||||||
|
|
||||||
src = fetchurl {
|
src = fetchurl {
|
||||||
url="https://github.com/sfepy/sfepy/archive/release_${version}.tar.gz";
|
url="https://github.com/sfepy/sfepy/archive/release_${version}.tar.gz";
|
||||||
sha256 = "1l9vgcw09l6bwhgfzlbn68fzpvns25r6nkd1pcp7hz5165hs6zzn";
|
sha256 = "1wb0ik6kjg3mksxin0abr88bhsly67fpg36qjdzabhj0xn7j1yaz";
|
||||||
};
|
};
|
||||||
|
|
||||||
propagatedBuildInputs = [
|
propagatedBuildInputs = [
|
||||||
|
@ -28,12 +34,15 @@ buildPythonPackage rec {
|
||||||
pyparsing
|
pyparsing
|
||||||
tables
|
tables
|
||||||
sympy
|
sympy
|
||||||
|
meshio
|
||||||
|
mpi4py
|
||||||
|
psutil
|
||||||
|
openssh
|
||||||
];
|
];
|
||||||
|
|
||||||
postPatch = ''
|
postPatch = ''
|
||||||
# broken test
|
# broken tests
|
||||||
rm tests/test_homogenization_perfusion.py
|
rm tests/test_meshio.py
|
||||||
rm tests/test_splinebox.py
|
|
||||||
|
|
||||||
# slow tests
|
# slow tests
|
||||||
rm tests/test_input_*.py
|
rm tests/test_input_*.py
|
||||||
|
@ -47,6 +56,7 @@ buildPythonPackage rec {
|
||||||
'';
|
'';
|
||||||
|
|
||||||
checkPhase = ''
|
checkPhase = ''
|
||||||
|
export OMPI_MCA_plm_rsh_agent=${openssh}/bin/ssh
|
||||||
export HOME=$TMPDIR
|
export HOME=$TMPDIR
|
||||||
mv sfepy sfepy.hidden
|
mv sfepy sfepy.hidden
|
||||||
mkdir -p $HOME/.matplotlib
|
mkdir -p $HOME/.matplotlib
|
||||||
|
|
|
@ -1,5 +1,4 @@
|
||||||
{ lib
|
{ lib
|
||||||
, stdenv
|
|
||||||
, buildPythonPackage
|
, buildPythonPackage
|
||||||
, fetchPypi
|
, fetchPypi
|
||||||
, sphinx
|
, sphinx
|
||||||
|
|
|
@ -3,14 +3,14 @@
|
||||||
|
|
||||||
stdenv.mkDerivation rec {
|
stdenv.mkDerivation rec {
|
||||||
pname = "sbt-extras";
|
pname = "sbt-extras";
|
||||||
rev = "dc4f350f112580fcdf5f6fa7e8d5d2116475f84a";
|
rev = "2c582cdbb37dd487bf2140010ddd2e20f3c1394e";
|
||||||
version = "2021-03-01";
|
version = "2021-03-03";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "paulp";
|
owner = "paulp";
|
||||||
repo = "sbt-extras";
|
repo = "sbt-extras";
|
||||||
inherit rev;
|
inherit rev;
|
||||||
sha256 = "00qlmxnxmsjs5z03sd46j9spcz1jjkabip4z6f6r43pahjqyd0dk";
|
sha256 = "1j4j46gzw05bis7akvzfdj36xdwxcabq66wyf917z8vsy31vvajp";
|
||||||
};
|
};
|
||||||
|
|
||||||
dontBuild = true;
|
dontBuild = true;
|
||||||
|
@ -18,6 +18,8 @@ stdenv.mkDerivation rec {
|
||||||
nativeBuildInputs = [ makeWrapper ];
|
nativeBuildInputs = [ makeWrapper ];
|
||||||
|
|
||||||
installPhase = ''
|
installPhase = ''
|
||||||
|
runHook preInstall
|
||||||
|
|
||||||
mkdir -p $out/bin
|
mkdir -p $out/bin
|
||||||
|
|
||||||
substituteInPlace bin/sbt --replace 'declare java_cmd="java"' 'declare java_cmd="${jdk}/bin/java"'
|
substituteInPlace bin/sbt --replace 'declare java_cmd="java"' 'declare java_cmd="${jdk}/bin/java"'
|
||||||
|
@ -25,6 +27,8 @@ stdenv.mkDerivation rec {
|
||||||
install bin/sbt $out/bin
|
install bin/sbt $out/bin
|
||||||
|
|
||||||
wrapProgram $out/bin/sbt --prefix PATH : ${lib.makeBinPath [ which curl ]}
|
wrapProgram $out/bin/sbt --prefix PATH : ${lib.makeBinPath [ which curl ]}
|
||||||
|
|
||||||
|
runHook postInstall
|
||||||
'';
|
'';
|
||||||
|
|
||||||
doInstallCheck = true;
|
doInstallCheck = true;
|
||||||
|
|
|
@ -1,4 +1,4 @@
|
||||||
{ stdenv, buildGoPackage, fetchFromGitHub, git, pandoc, lib }:
|
{ buildGoPackage, fetchFromGitHub, git, pandoc, lib }:
|
||||||
|
|
||||||
buildGoPackage rec {
|
buildGoPackage rec {
|
||||||
pname = "checkmake";
|
pname = "checkmake";
|
||||||
|
|
|
@ -8,13 +8,13 @@
|
||||||
|
|
||||||
buildGoModule rec {
|
buildGoModule rec {
|
||||||
pname = "hound";
|
pname = "hound";
|
||||||
version = "unstable-2021-01-26";
|
version = "0.4.0";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "hound-search";
|
owner = "hound-search";
|
||||||
repo = "hound";
|
repo = "hound";
|
||||||
rev = "b88fc1f79d668e6671a478ddf4fb3e73a63067b9";
|
rev = "v${version}";
|
||||||
sha256 = "00xc3cj7d3klvhsh9hivvjwgzb6lycw3r3w7nch98nv2j8iljc44";
|
sha256 = "0p5w54fr5xz19ff8k5xkyq3iqhjki8wc0hj2x1pnmk6hzrz6hf65";
|
||||||
};
|
};
|
||||||
|
|
||||||
vendorSha256 = "0x1nhhhvqmz3qssd2d44zaxbahj8lh9r4m5jxdvzqk6m3ly7y0b6";
|
vendorSha256 = "0x1nhhhvqmz3qssd2d44zaxbahj8lh9r4m5jxdvzqk6m3ly7y0b6";
|
||||||
|
|
|
@ -4,6 +4,9 @@
|
||||||
, poetryLib ? import ./lib.nix { inherit lib pkgs; stdenv = pkgs.stdenv; }
|
, poetryLib ? import ./lib.nix { inherit lib pkgs; stdenv = pkgs.stdenv; }
|
||||||
}:
|
}:
|
||||||
let
|
let
|
||||||
|
# Poetry2nix version
|
||||||
|
version = "1.16.0";
|
||||||
|
|
||||||
inherit (poetryLib) isCompatible readTOML moduleName;
|
inherit (poetryLib) isCompatible readTOML moduleName;
|
||||||
|
|
||||||
/* The default list of poetry2nix override overlays */
|
/* The default list of poetry2nix override overlays */
|
||||||
|
@ -70,8 +73,7 @@ let
|
||||||
in
|
in
|
||||||
lib.makeScope pkgs.newScope (self: {
|
lib.makeScope pkgs.newScope (self: {
|
||||||
|
|
||||||
# Poetry2nix version
|
inherit version;
|
||||||
version = "1.15.5";
|
|
||||||
|
|
||||||
/* Returns a package of editable sources whose changes will be available without needing to restart the
|
/* Returns a package of editable sources whose changes will be available without needing to restart the
|
||||||
nix-shell.
|
nix-shell.
|
||||||
|
|
|
@ -157,7 +157,7 @@ let
|
||||||
missingBuildBackendError = "No build-system.build-backend section in pyproject.toml. "
|
missingBuildBackendError = "No build-system.build-backend section in pyproject.toml. "
|
||||||
+ "Add such a section as described in https://python-poetry.org/docs/pyproject/#poetry-and-pep-517";
|
+ "Add such a section as described in https://python-poetry.org/docs/pyproject/#poetry-and-pep-517";
|
||||||
requires = lib.attrByPath [ "build-system" "requires" ] (throw missingBuildBackendError) pyProject;
|
requires = lib.attrByPath [ "build-system" "requires" ] (throw missingBuildBackendError) pyProject;
|
||||||
requiredPkgs = builtins.map (n: lib.elemAt (builtins.match "([^!=<>~\[]+).*" n) 0) requires;
|
requiredPkgs = builtins.map (n: lib.elemAt (builtins.match "([^!=<>~[]+).*" n) 0) requires;
|
||||||
in
|
in
|
||||||
builtins.map (drvAttr: pythonPackages.${drvAttr} or (throw "unsupported build system requirement ${drvAttr}")) requiredPkgs;
|
builtins.map (drvAttr: pythonPackages.${drvAttr} or (throw "unsupported build system requirement ${drvAttr}")) requiredPkgs;
|
||||||
|
|
||||||
|
|
|
@ -250,6 +250,15 @@ self: super:
|
||||||
}
|
}
|
||||||
);
|
);
|
||||||
|
|
||||||
|
gdal = super.gdal.overridePythonAttrs (
|
||||||
|
old: {
|
||||||
|
preBuild = (old.preBuild or "") + ''
|
||||||
|
substituteInPlace setup.cfg \
|
||||||
|
--replace "../../apps/gdal-config" '${pkgs.gdal}/bin/gdal-config'
|
||||||
|
'';
|
||||||
|
}
|
||||||
|
);
|
||||||
|
|
||||||
grandalf = super.grandalf.overridePythonAttrs (
|
grandalf = super.grandalf.overridePythonAttrs (
|
||||||
old: {
|
old: {
|
||||||
buildInputs = (old.buildInputs or [ ]) ++ [ self.pytest-runner ];
|
buildInputs = (old.buildInputs or [ ]) ++ [ self.pytest-runner ];
|
||||||
|
@ -360,9 +369,13 @@ self: super:
|
||||||
}
|
}
|
||||||
);
|
);
|
||||||
|
|
||||||
# disable the removal of pyproject.toml, required because of setuptools_scm
|
|
||||||
jaraco-functools = super.jaraco-functools.overridePythonAttrs (
|
jaraco-functools = super.jaraco-functools.overridePythonAttrs (
|
||||||
old: {
|
old: {
|
||||||
|
# required for the extra "toml" dependency in setuptools_scm[toml]
|
||||||
|
buildInputs = (old.buildInputs or [ ]) ++ [
|
||||||
|
self.toml
|
||||||
|
];
|
||||||
|
# disable the removal of pyproject.toml, required because of setuptools_scm
|
||||||
dontPreferSetupPy = true;
|
dontPreferSetupPy = true;
|
||||||
}
|
}
|
||||||
);
|
);
|
||||||
|
@ -378,6 +391,15 @@ self: super:
|
||||||
}
|
}
|
||||||
);
|
);
|
||||||
|
|
||||||
|
jsondiff = super.jsondiff.overridePythonAttrs (
|
||||||
|
old: {
|
||||||
|
preBuild = (old.preBuild or "") + ''
|
||||||
|
substituteInPlace setup.py \
|
||||||
|
--replace "'jsondiff=jsondiff.cli:main_deprecated'," ""
|
||||||
|
'';
|
||||||
|
}
|
||||||
|
);
|
||||||
|
|
||||||
jsonpickle = super.jsonpickle.overridePythonAttrs (
|
jsonpickle = super.jsonpickle.overridePythonAttrs (
|
||||||
old: {
|
old: {
|
||||||
dontPreferSetupPy = true;
|
dontPreferSetupPy = true;
|
||||||
|
@ -558,6 +580,13 @@ self: super:
|
||||||
buildInputs = oa.buildInputs ++ [ self.pbr ];
|
buildInputs = oa.buildInputs ++ [ self.pbr ];
|
||||||
});
|
});
|
||||||
|
|
||||||
|
moto = super.moto.overridePythonAttrs (
|
||||||
|
old: {
|
||||||
|
buildInputs = (old.buildInputs or [ ]) ++
|
||||||
|
[ self.sshpubkeys ];
|
||||||
|
}
|
||||||
|
);
|
||||||
|
|
||||||
mpi4py = super.mpi4py.overridePythonAttrs (
|
mpi4py = super.mpi4py.overridePythonAttrs (
|
||||||
old:
|
old:
|
||||||
let
|
let
|
||||||
|
@ -674,6 +703,12 @@ self: super:
|
||||||
}
|
}
|
||||||
);
|
);
|
||||||
|
|
||||||
|
pdal = super.pdal.overridePythonAttrs (
|
||||||
|
old: {
|
||||||
|
PDAL_CONFIG = "${pkgs.pdal}/bin/pdal-config";
|
||||||
|
}
|
||||||
|
);
|
||||||
|
|
||||||
peewee = super.peewee.overridePythonAttrs (
|
peewee = super.peewee.overridePythonAttrs (
|
||||||
old:
|
old:
|
||||||
let
|
let
|
||||||
|
@ -733,9 +768,13 @@ self: super:
|
||||||
'';
|
'';
|
||||||
});
|
});
|
||||||
|
|
||||||
# disable the removal of pyproject.toml, required because of setuptools_scm
|
|
||||||
portend = super.portend.overridePythonAttrs (
|
portend = super.portend.overridePythonAttrs (
|
||||||
old: {
|
old: {
|
||||||
|
# required for the extra "toml" dependency in setuptools_scm[toml]
|
||||||
|
buildInputs = (old.buildInputs or [ ]) ++ [
|
||||||
|
self.toml
|
||||||
|
];
|
||||||
|
# disable the removal of pyproject.toml, required because of setuptools_scm
|
||||||
dontPreferSetupPy = true;
|
dontPreferSetupPy = true;
|
||||||
}
|
}
|
||||||
);
|
);
|
||||||
|
@ -920,6 +959,16 @@ self: super:
|
||||||
}
|
}
|
||||||
);
|
);
|
||||||
|
|
||||||
|
pyproj = super.pyproj.overridePythonAttrs (
|
||||||
|
old: {
|
||||||
|
buildInputs = (old.buildInputs or [ ]) ++
|
||||||
|
[ self.cython ];
|
||||||
|
PROJ_DIR = "${pkgs.proj}";
|
||||||
|
PROJ_LIBDIR = "${pkgs.proj}/lib";
|
||||||
|
PROJ_INCDIR = "${pkgs.proj.dev}/include";
|
||||||
|
}
|
||||||
|
);
|
||||||
|
|
||||||
python-bugzilla = super.python-bugzilla.overridePythonAttrs (
|
python-bugzilla = super.python-bugzilla.overridePythonAttrs (
|
||||||
old: {
|
old: {
|
||||||
nativeBuildInputs = (old.nativeBuildInputs or [ ]) ++ [
|
nativeBuildInputs = (old.nativeBuildInputs or [ ]) ++ [
|
||||||
|
@ -952,6 +1001,8 @@ self: super:
|
||||||
old: {
|
old: {
|
||||||
format = "other";
|
format = "other";
|
||||||
|
|
||||||
|
dontWrapQtApps = true;
|
||||||
|
|
||||||
nativeBuildInputs = (old.nativeBuildInputs or [ ]) ++ [
|
nativeBuildInputs = (old.nativeBuildInputs or [ ]) ++ [
|
||||||
pkgs.pkg-config
|
pkgs.pkg-config
|
||||||
pkgs.qt5.qmake
|
pkgs.qt5.qmake
|
||||||
|
@ -1071,12 +1122,9 @@ self: super:
|
||||||
|
|
||||||
pytest-runner = super.pytest-runner or super.pytestrunner;
|
pytest-runner = super.pytest-runner or super.pytestrunner;
|
||||||
|
|
||||||
python-jose = super.python-jose.overridePythonAttrs (
|
pytest-pylint = super.pytest-pylint.overridePythonAttrs (
|
||||||
old: {
|
old: {
|
||||||
postPath = ''
|
buildInputs = [ self.pytest-runner ];
|
||||||
substituteInPlace setup.py --replace "'pytest-runner'," ""
|
|
||||||
substituteInPlace setup.py --replace "'pytest-runner'" ""
|
|
||||||
'';
|
|
||||||
}
|
}
|
||||||
);
|
);
|
||||||
|
|
||||||
|
@ -1101,6 +1149,11 @@ self: super:
|
||||||
'';
|
'';
|
||||||
});
|
});
|
||||||
|
|
||||||
|
python-jose = super.python-jose.overridePythonAttrs (
|
||||||
|
old: {
|
||||||
|
buildInputs = [ self.pytest-runner ];
|
||||||
|
}
|
||||||
|
);
|
||||||
|
|
||||||
ffmpeg-python = super.ffmpeg-python.overridePythonAttrs (
|
ffmpeg-python = super.ffmpeg-python.overridePythonAttrs (
|
||||||
old: {
|
old: {
|
||||||
|
@ -1233,9 +1286,13 @@ self: super:
|
||||||
}
|
}
|
||||||
);
|
);
|
||||||
|
|
||||||
# disable the removal of pyproject.toml, required because of setuptools_scm
|
|
||||||
tempora = super.tempora.overridePythonAttrs (
|
tempora = super.tempora.overridePythonAttrs (
|
||||||
old: {
|
old: {
|
||||||
|
# required for the extra "toml" dependency in setuptools_scm[toml]
|
||||||
|
buildInputs = (old.buildInputs or [ ]) ++ [
|
||||||
|
self.toml
|
||||||
|
];
|
||||||
|
# disable the removal of pyproject.toml, required because of setuptools_scm
|
||||||
dontPreferSetupPy = true;
|
dontPreferSetupPy = true;
|
||||||
}
|
}
|
||||||
);
|
);
|
||||||
|
|
File diff suppressed because it is too large
Load Diff
|
@ -1,6 +1,6 @@
|
||||||
[tool.poetry]
|
[tool.poetry]
|
||||||
name = "poetry"
|
name = "poetry"
|
||||||
version = "1.1.4"
|
version = "1.1.5"
|
||||||
description = "Python dependency management and packaging made easy."
|
description = "Python dependency management and packaging made easy."
|
||||||
authors = [
|
authors = [
|
||||||
"Sébastien Eustace <sebastien@eustace.io>"
|
"Sébastien Eustace <sebastien@eustace.io>"
|
||||||
|
@ -24,7 +24,7 @@ classifiers = [
|
||||||
[tool.poetry.dependencies]
|
[tool.poetry.dependencies]
|
||||||
python = "~2.7 || ^3.5"
|
python = "~2.7 || ^3.5"
|
||||||
|
|
||||||
poetry-core = "^1.0.0"
|
poetry-core = "~1.0.2"
|
||||||
cleo = "^0.8.1"
|
cleo = "^0.8.1"
|
||||||
clikit = "^0.6.2"
|
clikit = "^0.6.2"
|
||||||
crashtest = { version = "^0.3.0", python = "^3.6" }
|
crashtest = { version = "^0.3.0", python = "^3.6" }
|
||||||
|
@ -71,6 +71,10 @@ pre-commit = { version = "^2.6", python = "^3.6.1" }
|
||||||
tox = "^3.0"
|
tox = "^3.0"
|
||||||
pytest-sugar = "^0.9.2"
|
pytest-sugar = "^0.9.2"
|
||||||
httpretty = "^0.9.6"
|
httpretty = "^0.9.6"
|
||||||
|
# We need to restrict the version of urllib3 to avoid
|
||||||
|
# httpretty breaking. This is fixed in httpretty >= 1.0.3
|
||||||
|
# but it's not compatible with Python 2.7 and 3.5.
|
||||||
|
urllib3 = "~1.25.10"
|
||||||
|
|
||||||
[tool.poetry.scripts]
|
[tool.poetry.scripts]
|
||||||
poetry = "poetry.console:main"
|
poetry = "poetry.console:main"
|
||||||
|
|
|
@ -1,7 +1,7 @@
|
||||||
{
|
{
|
||||||
"owner": "python-poetry",
|
"owner": "python-poetry",
|
||||||
"repo": "poetry",
|
"repo": "poetry",
|
||||||
"rev": "8312e3f2dbfa126cd311c666fea30656941e1bd3",
|
"rev": "a9704149394151f4d0d28cd5d8ee2283c7d10787",
|
||||||
"sha256": "0lx3qpz5dad0is7ki5a4vxphvc8cm8fnv4bmrx226a6nvvaj6ahs",
|
"sha256": "0bv6irpscpak6pldkzrx4j12dqnpfz5h8fy5lliglizv0avh60hf",
|
||||||
"fetchSubmodules": true
|
"fetchSubmodules": true
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,5 +1,5 @@
|
||||||
#!/usr/bin/env nix-shell
|
#!/usr/bin/env nix-shell
|
||||||
#! nix-shell -i bash -p curl nix-prefetch-github
|
#! nix-shell -i bash -p curl nix-prefetch-github jq
|
||||||
|
|
||||||
rev=$(curl -s https://api.github.com/repos/python-poetry/poetry/releases/latest | jq -r '.name')
|
rev=$(curl -s https://api.github.com/repos/python-poetry/poetry/releases/latest | jq -r '.name')
|
||||||
nix-prefetch-github --rev "$rev" python-poetry poetry > src.json
|
nix-prefetch-github --rev "$rev" python-poetry poetry > src.json
|
||||||
|
|
|
@ -3,7 +3,7 @@ let
|
||||||
inherit (builtins) elemAt match;
|
inherit (builtins) elemAt match;
|
||||||
operators =
|
operators =
|
||||||
let
|
let
|
||||||
matchWildCard = s: match "([^\*])(\.[\*])" s;
|
matchWildCard = s: match "([^*])(\\.[*])" s;
|
||||||
mkComparison = ret: version: v: builtins.compareVersions version v == ret;
|
mkComparison = ret: version: v: builtins.compareVersions version v == ret;
|
||||||
mkIdxComparison = idx: version: v:
|
mkIdxComparison = idx: version: v:
|
||||||
let
|
let
|
||||||
|
@ -52,8 +52,8 @@ let
|
||||||
#
|
#
|
||||||
};
|
};
|
||||||
re = {
|
re = {
|
||||||
operators = "([=><!~\^]+)";
|
operators = "([=><!~^]+)";
|
||||||
version = "([0-9\.\*x]+)";
|
version = "([0-9.*x]+)";
|
||||||
};
|
};
|
||||||
parseConstraint = constraint:
|
parseConstraint = constraint:
|
||||||
let
|
let
|
||||||
|
|
|
@ -0,0 +1,40 @@
|
||||||
|
{ lib
|
||||||
|
, rustPlatform
|
||||||
|
, fetchFromGitHub
|
||||||
|
, fetchpatch
|
||||||
|
, nix-update-script
|
||||||
|
}:
|
||||||
|
|
||||||
|
rustPlatform.buildRustPackage rec {
|
||||||
|
pname = "cargo-cross";
|
||||||
|
version = "0.2.1";
|
||||||
|
|
||||||
|
src = fetchFromGitHub {
|
||||||
|
owner = "rust-embedded";
|
||||||
|
repo = "cross";
|
||||||
|
rev = "v${version}";
|
||||||
|
sha256 = "sha256:1py5w4kf612x4qxi190ilsrx0zzwdzk9i47ppvqblska1s47qa2w";
|
||||||
|
};
|
||||||
|
|
||||||
|
cargoSha256 = "sha256-3xSuTBcWRGn5HH7LnvwioeRWjehaPW1HCPjN5SUUVfo=";
|
||||||
|
|
||||||
|
cargoPatches = [
|
||||||
|
(fetchpatch {
|
||||||
|
url = "https://github.com/rust-embedded/cross/commit/e86ad2e5a55218395df7eaaf91900e22b809083c.patch";
|
||||||
|
sha256 = "sha256:1zrcj5fm3irmlrfkgb65kp2pjkry0rg5nn9pwsk9p0i6dpapjc7k";
|
||||||
|
})
|
||||||
|
];
|
||||||
|
|
||||||
|
passthru = {
|
||||||
|
updateScript = nix-update-script {
|
||||||
|
attrPath = pname;
|
||||||
|
};
|
||||||
|
};
|
||||||
|
|
||||||
|
meta = with lib; {
|
||||||
|
description = "Zero setup cross compilation and cross testing";
|
||||||
|
homepage = "https://github.com/rust-embedded/cross";
|
||||||
|
license = with licenses; [ asl20 /* or */ mit ];
|
||||||
|
maintainers = with maintainers; [ otavio ];
|
||||||
|
};
|
||||||
|
}
|
|
@ -6,16 +6,16 @@
|
||||||
|
|
||||||
rustPlatform.buildRustPackage rec {
|
rustPlatform.buildRustPackage rec {
|
||||||
pname = "cargo-limit";
|
pname = "cargo-limit";
|
||||||
version = "0.0.6";
|
version = "0.0.7";
|
||||||
|
|
||||||
src = fetchFromGitHub {
|
src = fetchFromGitHub {
|
||||||
owner = "alopatindev";
|
owner = "alopatindev";
|
||||||
repo = "cargo-limit";
|
repo = "cargo-limit";
|
||||||
rev = version;
|
rev = version;
|
||||||
sha256 = "sha256-2YngMRPNiUVqg82Ck/ovcMbZV+STGyowT9zlwBkcKok=";
|
sha256 = "sha256-8HsYhWYeRhCPTxVnU8hOJKLXvza8i9KvKTLL6yLo0+c=";
|
||||||
};
|
};
|
||||||
|
|
||||||
cargoSha256 = "sha256-4HQhBE4kNhOhO48PBiAxtppmaqy7jaV8p/jb/Uv7vJk=";
|
cargoSha256 = "sha256-8uA4oFExrzDMeMV5MacbtE0Awdfx+jUUkrKd7ushOHo=";
|
||||||
|
|
||||||
passthru = {
|
passthru = {
|
||||||
updateScript = nix-update-script {
|
updateScript = nix-update-script {
|
||||||
|
|
|
@ -1,5 +1,4 @@
|
||||||
{ lib
|
{ lib
|
||||||
, stdenv
|
|
||||||
, rustPlatform
|
, rustPlatform
|
||||||
, fetchFromGitHub
|
, fetchFromGitHub
|
||||||
, nix-update-script
|
, nix-update-script
|
||||||
|
|
|
@ -0,0 +1,27 @@
|
||||||
|
{ stdenv, lib, fetchFromGitLab, ncurses, pkg-config, nix-update-script }:
|
||||||
|
|
||||||
|
stdenv.mkDerivation rec {
|
||||||
|
version = "1.0.0";
|
||||||
|
pname = "cbonsai";
|
||||||
|
|
||||||
|
src = fetchFromGitLab {
|
||||||
|
owner = "jallbrit";
|
||||||
|
repo = pname;
|
||||||
|
rev = "v${version}";
|
||||||
|
sha256 = "1jc34j627pnyjgs8hjxqaa89j24gyf0rq9w61mkhgg0kria62as7";
|
||||||
|
};
|
||||||
|
|
||||||
|
nativeBuildInputs = [ pkg-config ];
|
||||||
|
buildInputs = [ ncurses ];
|
||||||
|
installFlags = [ "PREFIX=$(out)" ];
|
||||||
|
|
||||||
|
passthru.updateScript = nix-update-script { attrPath = pname; };
|
||||||
|
|
||||||
|
meta = with lib; {
|
||||||
|
description = "Grow bonsai trees in your terminal";
|
||||||
|
homepage = "https://gitlab.com/jallbrit/cbonsai";
|
||||||
|
license = with licenses; [ gpl3Only ];
|
||||||
|
maintainers = with maintainers; [ manveru ];
|
||||||
|
platforms = platforms.unix;
|
||||||
|
};
|
||||||
|
}
|
|
@ -1,4 +1,4 @@
|
||||||
{ lib, stdenvNoCC, buildEnv, writeShellScriptBin, fetchurl, jre }:
|
{ lib, buildEnv, writeShellScriptBin, fetchurl, jre }:
|
||||||
|
|
||||||
let
|
let
|
||||||
name = "legends-browser-${version}";
|
name = "legends-browser-${version}";
|
||||||
|
|
|
@ -81,7 +81,7 @@ in stdenv.mkDerivation rec {
|
||||||
homepage = "https://shatteredpixel.com/";
|
homepage = "https://shatteredpixel.com/";
|
||||||
downloadPage = "https://github.com/00-Evan/shattered-pixel-dungeon/releases";
|
downloadPage = "https://github.com/00-Evan/shattered-pixel-dungeon/releases";
|
||||||
description = "Traditional roguelike game with pixel-art graphics and simple interface";
|
description = "Traditional roguelike game with pixel-art graphics and simple interface";
|
||||||
license = licenses.gpl3;
|
license = licenses.gpl3Plus;
|
||||||
maintainers = with maintainers; [ fgaz ];
|
maintainers = with maintainers; [ fgaz ];
|
||||||
platforms = platforms.all;
|
platforms = platforms.all;
|
||||||
# https://github.com/NixOS/nixpkgs/pull/99885#issuecomment-740065005
|
# https://github.com/NixOS/nixpkgs/pull/99885#issuecomment-740065005
|
||||||
|
|
Some files were not shown because too many files have changed in this diff Show More
Loading…
Reference in New Issue