nixpkgs mirror (for testing) github.com/NixOS/nixpkgs
nix

Merge staging-next into staging

authored by

github-actions[bot] and committed by
GitHub
0141dc64 eaff9837

+506 -222
+3 -2
lib/default.nix
··· 117 117 inherit (self.meta) addMetaAttrs dontDistribute setName updateName 118 118 appendToName mapDerivationAttrset setPrio lowPrio lowPrioSet hiPrio 119 119 hiPrioSet getLicenseFromSpdxId getExe; 120 - inherit (self.sources) pathType pathIsDirectory cleanSourceFilter 120 + inherit (self.filesystem) pathType pathIsDirectory pathIsRegularFile; 121 + inherit (self.sources) cleanSourceFilter 121 122 cleanSource sourceByRegex sourceFilesBySuffices 122 123 commitIdFromGitRepo cleanSourceWith pathHasContext 123 - canCleanSource pathIsRegularFile pathIsGitRepo; 124 + canCleanSource pathIsGitRepo; 124 125 inherit (self.modules) evalModules setDefaultModuleLocation 125 126 unifyModuleSyntax applyModuleArgsIfFunction mergeModules 126 127 mergeModules' mergeOptionDecls evalOptionValue mergeDefinitions
+81 -1
lib/filesystem.nix
··· 1 - # Functions for copying sources to the Nix store. 1 + # Functions for querying information about the filesystem 2 + # without copying any files to the Nix store. 2 3 { lib }: 3 4 5 + # Tested in lib/tests/filesystem.sh 4 6 let 7 + inherit (builtins) 8 + readDir 9 + pathExists 10 + ; 11 + 5 12 inherit (lib.strings) 6 13 hasPrefix 14 + ; 15 + 16 + inherit (lib.filesystem) 17 + pathType 7 18 ; 8 19 in 9 20 10 21 { 22 + 23 + /* 24 + The type of a path. The path needs to exist and be accessible. 25 + The result is either "directory" for a directory, "regular" for a regular file, "symlink" for a symlink, or "unknown" for anything else. 26 + 27 + Type: 28 + pathType :: Path -> String 29 + 30 + Example: 31 + pathType /. 32 + => "directory" 33 + 34 + pathType /some/file.nix 35 + => "regular" 36 + */ 37 + pathType = 38 + builtins.readFileType or 39 + # Nix <2.14 compatibility shim 40 + (path: 41 + if ! pathExists path 42 + # Fail irrecoverably to mimic the historic behavior of this function and 43 + # the new builtins.readFileType 44 + then abort "lib.filesystem.pathType: Path ${toString path} does not exist." 45 + # The filesystem root is the only path where `dirOf / == /` and 46 + # `baseNameOf /` is not valid. We can detect this and directly return 47 + # "directory", since we know the filesystem root can't be anything else. 48 + else if dirOf path == path 49 + then "directory" 50 + else (readDir (dirOf path)).${baseNameOf path} 51 + ); 52 + 53 + /* 54 + Whether a path exists and is a directory. 55 + 56 + Type: 57 + pathIsDirectory :: Path -> Bool 58 + 59 + Example: 60 + pathIsDirectory /. 61 + => true 62 + 63 + pathIsDirectory /this/does/not/exist 64 + => false 65 + 66 + pathIsDirectory /some/file.nix 67 + => false 68 + */ 69 + pathIsDirectory = path: 70 + pathExists path && pathType path == "directory"; 71 + 72 + /* 73 + Whether a path exists and is a regular file, meaning not a symlink or any other special file type. 74 + 75 + Type: 76 + pathIsRegularFile :: Path -> Bool 77 + 78 + Example: 79 + pathIsRegularFile /. 80 + => false 81 + 82 + pathIsRegularFile /this/does/not/exist 83 + => false 84 + 85 + pathIsRegularFile /some/file.nix 86 + => true 87 + */ 88 + pathIsRegularFile = path: 89 + pathExists path && pathType path == "regular"; 90 + 11 91 /* 12 92 A map of all haskell packages defined in the given path, 13 93 identified by having a cabal file with the same name as the
+18 -19
lib/sources.nix
··· 18 18 pathExists 19 19 readFile 20 20 ; 21 - 22 - /* 23 - Returns the type of a path: regular (for file), symlink, or directory. 24 - */ 25 - pathType = path: getAttr (baseNameOf path) (readDir (dirOf path)); 26 - 27 - /* 28 - Returns true if the path exists and is a directory, false otherwise. 29 - */ 30 - pathIsDirectory = path: if pathExists path then (pathType path) == "directory" else false; 31 - 32 - /* 33 - Returns true if the path exists and is a regular file, false otherwise. 34 - */ 35 - pathIsRegularFile = path: if pathExists path then (pathType path) == "regular" else false; 21 + inherit (lib.filesystem) 22 + pathType 23 + pathIsDirectory 24 + pathIsRegularFile 25 + ; 36 26 37 27 /* 38 28 A basic filter for `cleanSourceWith` that removes ··· 261 271 }; 262 272 263 273 in { 264 - inherit 265 - pathType 266 - pathIsDirectory 267 - pathIsRegularFile 268 274 275 + pathType = lib.warnIf (lib.isInOldestRelease 2305) 276 + "lib.sources.pathType has been moved to lib.filesystem.pathType." 277 + lib.filesystem.pathType; 278 + 279 + pathIsDirectory = lib.warnIf (lib.isInOldestRelease 2305) 280 + "lib.sources.pathIsDirectory has been moved to lib.filesystem.pathIsDirectory." 281 + lib.filesystem.pathIsDirectory; 282 + 283 + pathIsRegularFile = lib.warnIf (lib.isInOldestRelease 2305) 284 + "lib.sources.pathIsRegularFile has been moved to lib.filesystem.pathIsRegularFile." 285 + lib.filesystem.pathIsRegularFile; 286 + 287 + inherit 269 288 pathIsGitRepo 270 289 commitIdFromGitRepo 271 290
+92
lib/tests/filesystem.sh
··· 1 + #!/usr/bin/env bash 2 + 3 + # Tests lib/filesystem.nix 4 + # Run: 5 + # [nixpkgs]$ lib/tests/filesystem.sh 6 + # or: 7 + # [nixpkgs]$ nix-build lib/tests/release.nix 8 + 9 + set -euo pipefail 10 + shopt -s inherit_errexit 11 + 12 + # Use 13 + # || die 14 + die() { 15 + echo >&2 "test case failed: " "$@" 16 + exit 1 17 + } 18 + 19 + if test -n "${TEST_LIB:-}"; then 20 + NIX_PATH=nixpkgs="$(dirname "$TEST_LIB")" 21 + else 22 + NIX_PATH=nixpkgs="$(cd "$(dirname "${BASH_SOURCE[0]}")/../.."; pwd)" 23 + fi 24 + export NIX_PATH 25 + 26 + work="$(mktemp -d)" 27 + clean_up() { 28 + rm -rf "$work" 29 + } 30 + trap clean_up EXIT 31 + cd "$work" 32 + 33 + mkdir directory 34 + touch regular 35 + ln -s target symlink 36 + mkfifo fifo 37 + 38 + checkPathType() { 39 + local path=$1 40 + local expectedPathType=$2 41 + local actualPathType=$(nix-instantiate --eval --strict --json 2>&1 \ 42 + -E '{ path }: let lib = import <nixpkgs/lib>; in lib.filesystem.pathType path' \ 43 + --argstr path "$path") 44 + if [[ "$actualPathType" != "$expectedPathType" ]]; then 45 + die "lib.filesystem.pathType \"$path\" == $actualPathType, but $expectedPathType was expected" 46 + fi 47 + } 48 + 49 + checkPathType "/" '"directory"' 50 + checkPathType "$PWD/directory" '"directory"' 51 + checkPathType "$PWD/regular" '"regular"' 52 + checkPathType "$PWD/symlink" '"symlink"' 53 + checkPathType "$PWD/fifo" '"unknown"' 54 + checkPathType "$PWD/non-existent" "error: evaluation aborted with the following error message: 'lib.filesystem.pathType: Path $PWD/non-existent does not exist.'" 55 + 56 + checkPathIsDirectory() { 57 + local path=$1 58 + local expectedIsDirectory=$2 59 + local actualIsDirectory=$(nix-instantiate --eval --strict --json 2>&1 \ 60 + -E '{ path }: let lib = import <nixpkgs/lib>; in lib.filesystem.pathIsDirectory path' \ 61 + --argstr path "$path") 62 + if [[ "$actualIsDirectory" != "$expectedIsDirectory" ]]; then 63 + die "lib.filesystem.pathIsDirectory \"$path\" == $actualIsDirectory, but $expectedIsDirectory was expected" 64 + fi 65 + } 66 + 67 + checkPathIsDirectory "/" "true" 68 + checkPathIsDirectory "$PWD/directory" "true" 69 + checkPathIsDirectory "$PWD/regular" "false" 70 + checkPathIsDirectory "$PWD/symlink" "false" 71 + checkPathIsDirectory "$PWD/fifo" "false" 72 + checkPathIsDirectory "$PWD/non-existent" "false" 73 + 74 + checkPathIsRegularFile() { 75 + local path=$1 76 + local expectedIsRegularFile=$2 77 + local actualIsRegularFile=$(nix-instantiate --eval --strict --json 2>&1 \ 78 + -E '{ path }: let lib = import <nixpkgs/lib>; in lib.filesystem.pathIsRegularFile path' \ 79 + --argstr path "$path") 80 + if [[ "$actualIsRegularFile" != "$expectedIsRegularFile" ]]; then 81 + die "lib.filesystem.pathIsRegularFile \"$path\" == $actualIsRegularFile, but $expectedIsRegularFile was expected" 82 + fi 83 + } 84 + 85 + checkPathIsRegularFile "/" "false" 86 + checkPathIsRegularFile "$PWD/directory" "false" 87 + checkPathIsRegularFile "$PWD/regular" "true" 88 + checkPathIsRegularFile "$PWD/symlink" "false" 89 + checkPathIsRegularFile "$PWD/fifo" "false" 90 + checkPathIsRegularFile "$PWD/non-existent" "false" 91 + 92 + echo >&2 tests ok
+3
lib/tests/release.nix
··· 44 44 echo "Running lib/tests/modules.sh" 45 45 bash lib/tests/modules.sh 46 46 47 + echo "Running lib/tests/filesystem.sh" 48 + TEST_LIB=$PWD/lib bash lib/tests/filesystem.sh 49 + 47 50 echo "Running lib/tests/sources.sh" 48 51 TEST_LIB=$PWD/lib bash lib/tests/sources.sh 49 52
+6
maintainers/maintainer-list.nix
··· 15802 15802 github = "thielema"; 15803 15803 githubId = 898989; 15804 15804 }; 15805 + thilobillerbeck = { 15806 + name = "Thilo Billerbeck"; 15807 + email = "thilo.billerbeck@officerent.de"; 15808 + github = "thilobillerbeck"; 15809 + githubId = 7442383; 15810 + }; 15805 15811 thled = { 15806 15812 name = "Thomas Le Duc"; 15807 15813 email = "dev@tleduc.de";
+7
nixos/doc/manual/release-notes/rl-2311.section.md
··· 2 2 3 3 ## Highlights {#sec-release-23.11-highlights} 4 4 5 + - Create the first release note entry in this section! 6 + 5 7 ## New Services {#sec-release-23.11-new-services} 8 + 9 + - Create the first release note entry in this section! 6 10 7 11 <!-- To avoid merge conflicts, consider adding your item at an arbitrary place in the list instead. --> 8 12 9 13 ## Backward Incompatibilities {#sec-release-23.11-incompatibilities} 10 14 15 + - Create the first release note entry in this section! 16 + 11 17 ## Other Notable Changes {#sec-release-23.11-notable-changes} 12 18 19 + - Create the first release note entry in this section!
+3 -4
pkgs/applications/audio/radioboat/default.nix
··· 11 11 12 12 buildGoModule rec { 13 13 pname = "radioboat"; 14 - version = "0.2.3"; 14 + version = "0.3.0"; 15 15 16 16 src = fetchFromGitHub { 17 17 owner = "slashformotion"; 18 18 repo = "radioboat"; 19 19 rev = "v${version}"; 20 - sha256 = "sha256-nY8h09SDTQPKLAHgWr3q8yRGtw3bIWvAFVu05rqXPcg="; 20 + hash = "sha256-4k+WK2Cxu1yBWgvEW9LMD2RGfiY7XDAe0qqph82zvlI="; 21 21 }; 22 22 23 - vendorSha256 = "sha256-76Q77BXNe6NGxn6ocYuj58M4aPGCWTekKV5tOyxBv2U="; 23 + vendorHash = "sha256-H2vo5gngXUcrem25tqz/1MhOgpNZcN+IcaQHZrGyjW8="; 24 24 25 25 ldflags = [ 26 26 "-s" ··· 46 46 tests.version = testers.testVersion { 47 47 package = radioboat; 48 48 command = "radioboat version"; 49 - version = version; 50 49 }; 51 50 }; 52 51
+5 -6
pkgs/applications/editors/helix/grammars.nix
··· 47 47 then "${source}/${grammar.source.subpath}" 48 48 else source; 49 49 50 - dontUnpack = true; 51 50 dontConfigure = true; 52 51 53 52 FLAGS = [ ··· 63 64 buildPhase = '' 64 65 runHook preBuild 65 66 66 - if [[ -e "$src/src/scanner.cc" ]]; then 67 - $CXX -c "$src/src/scanner.cc" -o scanner.o $FLAGS 68 - elif [[ -e "$src/src/scanner.c" ]]; then 69 - $CC -c "$src/src/scanner.c" -o scanner.o $FLAGS 67 + if [[ -e "src/scanner.cc" ]]; then 68 + $CXX -c "src/scanner.cc" -o scanner.o $FLAGS 69 + elif [[ -e "src/scanner.c" ]]; then 70 + $CC -c "src/scanner.c" -o scanner.o $FLAGS 70 71 fi 71 72 72 - $CC -c "$src/src/parser.c" -o parser.o $FLAGS 73 + $CC -c "src/parser.c" -o parser.o $FLAGS 73 74 $CXX -shared -o $NAME.so *.o 74 75 75 76 runHook postBuild
+2 -2
pkgs/applications/graphics/darktable/default.nix
··· 58 58 }: 59 59 60 60 stdenv.mkDerivation rec { 61 - version = "4.2.0"; 61 + version = "4.2.1"; 62 62 pname = "darktable"; 63 63 64 64 src = fetchurl { 65 65 url = "https://github.com/darktable-org/darktable/releases/download/release-${version}/darktable-${version}.tar.xz"; 66 - sha256 = "18b0917fdfe9b09f66c279a681cc3bd52894a566852bbf04b2e179ecfdb11af9"; 66 + sha256 = "603a39c6074291a601f7feb16ebb453fd0c5b02a6f5d3c7ab6db612eadc97bac"; 67 67 }; 68 68 69 69 nativeBuildInputs = [ cmake ninja llvm_13 pkg-config intltool perl desktop-file-utils wrapGAppsHook ];
+2 -2
pkgs/applications/misc/gremlin-console/default.nix
··· 2 2 3 3 stdenv.mkDerivation rec { 4 4 pname = "gremlin-console"; 5 - version = "3.6.3"; 5 + version = "3.6.4"; 6 6 src = fetchzip { 7 7 url = "https://downloads.apache.org/tinkerpop/${version}/apache-tinkerpop-gremlin-console-${version}-bin.zip"; 8 - sha256 = "sha256-+IzTCaRlYW1i4ZzEgOpEA0rXN45A2q1iddrqU9up2IA="; 8 + sha256 = "sha256-3fZA0U7dobr4Zsudin9OmwcYUw8gdltUWFTVe2l8ILw="; 9 9 }; 10 10 11 11 nativeBuildInputs = [ makeWrapper ];
+3 -3
pkgs/applications/misc/hugo/default.nix
··· 2 2 3 3 buildGoModule rec { 4 4 pname = "hugo"; 5 - version = "0.111.3"; 5 + version = "0.112.0"; 6 6 7 7 src = fetchFromGitHub { 8 8 owner = "gohugoio"; 9 9 repo = pname; 10 10 rev = "v${version}"; 11 - hash = "sha256-PgconAixlSgRHqmfRdOtcpVJyThZIKAB9Pm4AUvYVGQ="; 11 + hash = "sha256-sZjcl7jxiNwz8rM2/jcpN/9iuZn6UTleNE6YZ/vmDso="; 12 12 }; 13 13 14 - vendorHash = "sha256-2a6+s0xLlj3VzXp9zbZgIi7WJShbUQH48tUG9Slm770="; 14 + vendorHash = "sha256-A4mWrTSkE1NcLj8ozGXQJIrFMvqeoBC7y7eOTeh3ktw="; 15 15 16 16 doCheck = false; 17 17
+2 -2
pkgs/applications/misc/ssocr/default.nix
··· 2 2 3 3 stdenv.mkDerivation rec { 4 4 pname = "ssocr"; 5 - version = "2.22.1"; 5 + version = "2.23.1"; 6 6 7 7 src = fetchFromGitHub { 8 8 owner = "auerswal"; 9 9 repo = "ssocr"; 10 10 rev = "v${version}"; 11 - sha256 = "sha256-j1l1o1wtVQo+G9HfXZ1sJQ8amsUQhuYxFguWFQoRe/s="; 11 + sha256 = "sha256-EfZsTrZI6vKM7tB6mKNGEkdfkNFbN5p4TmymOJGZRBk="; 12 12 }; 13 13 14 14 nativeBuildInputs = [ pkg-config ];
+3 -3
pkgs/applications/networking/cluster/helm/default.nix
··· 2 2 3 3 buildGoModule rec { 4 4 pname = "kubernetes-helm"; 5 - version = "3.11.3"; 5 + version = "3.12.0"; 6 6 7 7 src = fetchFromGitHub { 8 8 owner = "helm"; 9 9 repo = "helm"; 10 10 rev = "v${version}"; 11 - sha256 = "sha256-BIjbSHs0sOLYB+26EHy9f3YJtUYnzgdADIXB4n45Rv0="; 11 + sha256 = "sha256-Fu1d1wpiD7u8lLMAe8WuOxJxDjY85vK8MPHz0iBr5Ps="; 12 12 }; 13 - vendorHash = "sha256-uz3ZqCcT+rmhNCO+y3PuCXWjTxUx8u3XDgcJxt7A37g="; 13 + vendorHash = "sha256-PvuuvM/ReDPI1hBQu4DsKdXXoD2C5BLvxU5Ld3h4hTE="; 14 14 15 15 subPackages = [ "cmd/helm" ]; 16 16 ldflags = [
+3 -3
pkgs/applications/networking/cluster/helm/plugins/helm-diff.nix
··· 2 2 3 3 buildGoModule rec { 4 4 pname = "helm-diff"; 5 - version = "3.7.0"; 5 + version = "3.8.0"; 6 6 7 7 src = fetchFromGitHub { 8 8 owner = "databus23"; 9 9 repo = pname; 10 10 rev = "v${version}"; 11 - sha256 = "sha256-bG1i6Tea7BLWuy5cd3+249sOakj2LfAZLphtjMLdlug="; 11 + sha256 = "sha256-7HUD6OcAQ4tFTZJfjdonU1Q/CGJZ4AAZx7nB68d0QQs="; 12 12 }; 13 13 14 - vendorSha256 = "sha256-80cTeD+rCwKkssGQya3hMmtYnjia791MjB4eG+m5qd0="; 14 + vendorHash = "sha256-2tiBFS3gvSbnyighSorg/ar058ZJmiQviaT13zOS8KA="; 15 15 16 16 ldflags = [ "-s" "-w" "-X github.com/databus23/helm-diff/v3/cmd.Version=${version}" ]; 17 17
+2 -2
pkgs/applications/networking/instant-messengers/discord/default.nix
··· 3 3 versions = if stdenv.isLinux then { 4 4 stable = "0.0.27"; 5 5 ptb = "0.0.42"; 6 - canary = "0.0.151"; 6 + canary = "0.0.154"; 7 7 development = "0.0.216"; 8 8 } else { 9 9 stable = "0.0.273"; ··· 24 24 }; 25 25 canary = fetchurl { 26 26 url = "https://dl-canary.discordapp.net/apps/linux/${version}/discord-canary-${version}.tar.gz"; 27 - sha256 = "sha256-ZN+lEGtSajgYsyMoGRmyTZCpUGVmb9LKgVv89NA4m7U="; 27 + sha256 = "sha256-rtqPQZBrmxnHuXgzmC7VNiucXBBmtrn8AiKNDtxaR7c="; 28 28 }; 29 29 development = fetchurl { 30 30 url = "https://dl-development.discordapp.net/apps/linux/${version}/discord-development-${version}.tar.gz";
+2 -2
pkgs/applications/networking/instant-messengers/linphone/default.nix
··· 33 33 34 34 mkDerivation rec { 35 35 pname = "linphone-desktop"; 36 - version = "5.0.8"; 36 + version = "5.0.15"; 37 37 38 38 src = fetchFromGitLab { 39 39 domain = "gitlab.linphone.org"; ··· 41 41 group = "BC"; 42 42 repo = pname; 43 43 rev = version; 44 - hash = "sha256-e/0yGHtOHMgPhaF5xELodKS9/v/mbnT3ZpE12lXAocU="; 44 + hash = "sha256-tCtOFHspT0CmBCGvs5b/tNH+W1tuHuje6Zt0UwagOB4="; 45 45 }; 46 46 47 47 patches = [
+2 -2
pkgs/applications/networking/remote/xrdp/default.nix
··· 34 34 }; 35 35 36 36 xrdp = stdenv.mkDerivation rec { 37 - version = "0.9.22"; 37 + version = "0.9.22.1"; 38 38 pname = "xrdp"; 39 39 40 40 src = fetchFromGitHub { ··· 42 42 repo = "xrdp"; 43 43 rev = "v${version}"; 44 44 fetchSubmodules = true; 45 - hash = "sha256-/i2rLVrN1twKtQH6Qt1OZOPGZzegWBOKpj0Wnin8cR8="; 45 + hash = "sha256-8gAP4wOqSmar8JhKRt4qRRwh23coIn0Q8Tt9ClHQSt8="; 46 46 }; 47 47 48 48 nativeBuildInputs = [ pkg-config autoconf automake which libtool nasm perl ];
+2 -2
pkgs/applications/video/ustreamer/default.nix
··· 2 2 3 3 stdenv.mkDerivation rec { 4 4 pname = "ustreamer"; 5 - version = "5.37"; 5 + version = "5.38"; 6 6 7 7 src = fetchFromGitHub { 8 8 owner = "pikvm"; 9 9 repo = "ustreamer"; 10 10 rev = "v${version}"; 11 - sha256 = "sha256-Ervzk5TNYvo7nHyt0cBN8BMjgJKu2sqeXCltero3AnE="; 11 + sha256 = "sha256-pc1Pf8KnjGPb74GbcmHaj/XCD0wjgiglaAKjnZUa6Ag="; 12 12 }; 13 13 14 14 buildInputs = [ libbsd libevent libjpeg ];
+2 -2
pkgs/applications/virtualization/crun/default.nix
··· 38 38 in 39 39 stdenv.mkDerivation rec { 40 40 pname = "crun"; 41 - version = "1.8.4"; 41 + version = "1.8.5"; 42 42 43 43 src = fetchFromGitHub { 44 44 owner = "containers"; 45 45 repo = pname; 46 46 rev = version; 47 - hash = "sha256-wJ9V47X3tofFiwOzYignycm3PTRQWcAJ9iR2r5rJeJA="; 47 + hash = "sha256-T51dVNtqQbXoPshlAkBzJOGTNTPM+AlqRYbqS8GX2NE="; 48 48 fetchSubmodules = true; 49 49 }; 50 50
+2 -2
pkgs/data/themes/layan-gtk-theme/default.nix
··· 6 6 7 7 stdenv.mkDerivation rec { 8 8 pname = "layan-gtk-theme"; 9 - version = "2021-06-30"; 9 + version = "2023-05-23"; 10 10 11 11 src = fetchFromGitHub { 12 12 owner = "vinceliuice"; 13 13 repo = pname; 14 14 rev = version; 15 - sha256 = "sha256-FI8+AJlcPHGOzxN6HUKLtPGLe8JTfTQ9Az9NsvVUK7g="; 15 + sha256 = "sha256-R8QxDMOXzDIfioAvvescLAu6NjJQ9zhf/niQTXZr+yA="; 16 16 }; 17 17 18 18 propagatedUserEnvPkgs = [ gtk-engine-murrine ];
+2
pkgs/development/coq-modules/CoLoR/default.nix
··· 5 5 owner = "fblanqui"; 6 6 inherit version; 7 7 defaultVersion = with lib.versions; lib.switch coq.version [ 8 + {case = range "8.14" "8.17"; out = "1.8.3"; } 8 9 {case = range "8.12" "8.16"; out = "1.8.2"; } 9 10 {case = range "8.10" "8.11"; out = "1.7.0"; } 10 11 {case = range "8.8" "8.9"; out = "1.6.0"; } 11 12 {case = range "8.6" "8.7"; out = "1.4.0"; } 12 13 ] null; 13 14 15 + release."1.8.3".sha256 = "sha256-mMUzIorkQ6WWQBJLk1ioUNwAdDdGHJyhenIvkAjALVU="; 14 16 release."1.8.2".sha256 = "sha256:1gvx5cxm582793vxzrvsmhxif7px18h9xsb2jljy2gkphdmsnpqj"; 15 17 release."1.8.1".sha256 = "0knhca9fffmyldn4q16h9265i7ih0h4jhcarq4rkn0wnn7x8w8yw"; 16 18 release."1.7.0".rev = "08b5481ed6ea1a5d2c4c068b62156f5be6d82b40";
+2 -2
pkgs/development/embedded/wch-isp/default.nix
··· 2 2 3 3 stdenv.mkDerivation rec { 4 4 pname = "wch-isp"; 5 - version = "0.2.4"; 5 + version = "0.2.5"; 6 6 7 7 src = fetchFromGitHub { 8 8 owner = "jmaselbas"; 9 9 repo = pname; 10 10 rev = "v${version}"; 11 - hash = "sha256-YjxzfDSZRMa7B+hNqtj87nRlRuQyr51VidZqHLddgwI="; 11 + hash = "sha256-JF1g2Qb1gG93lSaDQvltT6jCYk/dKntsIJPkQXYUvX4="; 12 12 }; 13 13 14 14 nativeBuildInputs = [ pkg-config ];
+2 -2
pkgs/development/libraries/belle-sip/default.nix
··· 11 11 12 12 stdenv.mkDerivation rec { 13 13 pname = "belle-sip"; 14 - version = "5.2.37"; 14 + version = "5.2.53"; 15 15 16 16 src = fetchFromGitLab { 17 17 domain = "gitlab.linphone.org"; ··· 19 19 group = "BC"; 20 20 repo = pname; 21 21 rev = version; 22 - sha256 = "sha256-e5CwLzpvW5ktv5R8PZkNmSXAi/SaTltJs9LY26iKsLo="; 22 + sha256 = "sha256-uZrsDoLIq9jusM5kGXMjspWvFgRq2TF/CLMvTuDSEgM="; 23 23 }; 24 24 25 25 nativeBuildInputs = [ cmake ];
+2 -2
pkgs/development/libraries/libva/utils.nix
··· 4 4 5 5 stdenv.mkDerivation rec { 6 6 pname = "libva-utils"; 7 - version = "2.18.1"; 7 + version = "2.18.2"; 8 8 9 9 src = fetchFromGitHub { 10 10 owner = "intel"; 11 11 repo = "libva-utils"; 12 12 rev = version; 13 - sha256 = "sha256-t8N+MQ/HueQWtNzEzfAPZb4q7FjFNhpTmX4JbJ5ZGqM="; 13 + sha256 = "sha256-D7GPS/46jiIY8K0qPlMlYhmn+yWhTA+I6jAuxclNJSU="; 14 14 }; 15 15 16 16 nativeBuildInputs = [ meson ninja pkg-config ];
+2 -2
pkgs/development/libraries/webp-pixbuf-loader/default.nix
··· 18 18 in 19 19 stdenv.mkDerivation rec { 20 20 pname = "webp-pixbuf-loader"; 21 - version = "0.0.7"; 21 + version = "0.2.2"; 22 22 23 23 src = fetchFromGitHub { 24 24 owner = "aruiz"; 25 25 repo = "webp-pixbuf-loader"; 26 26 rev = version; 27 - sha256 = "sha256-Za5/9YlDRqF5oGI8ZfLhx2ZT0XvXK6Z0h6fu5CGvizc="; 27 + sha256 = "sha256-TdZK2OTwetLVmmhN7RZlq2NV6EukH1Wk5Iwer2W/aHc="; 28 28 }; 29 29 30 30 nativeBuildInputs = [
+1 -1
pkgs/development/mobile/androidenv/deploy-androidpackages.nix
··· 60 60 in 61 61 stdenv.mkDerivation ({ 62 62 inherit buildInputs; 63 - pname = lib.concatMapStringsSep "-" (package: package.name) sortedPackages; 63 + pname = "android-sdk-${lib.concatMapStringsSep "-" (package: package.name) sortedPackages}"; 64 64 version = lib.concatMapStringsSep "-" (package: package.revision) sortedPackages; 65 65 src = map (package: 66 66 if os != null && builtins.hasAttr os package.archives then package.archives.${os} else package.archives.all
+4 -1
pkgs/development/python-modules/jax/default.nix
··· 89 89 "test_custom_linear_solve_cholesky" 90 90 "test_custom_root_with_aux" 91 91 "testEigvalsGrad_shape" 92 - ] ++ lib.optionals (stdenv.isAarch64 && stdenv.isDarwin) [ 92 + ] ++ lib.optionals stdenv.isAarch64 [ 93 93 # See https://github.com/google/jax/issues/14793. 94 94 "test_for_loop_fixpoint_correctly_identifies_loop_varying_residuals_unrolled_for_loop" 95 95 "testQdwhWithRandomMatrix3" ··· 107 107 "tests/nn_test.py" 108 108 "tests/random_test.py" 109 109 "tests/sparse_test.py" 110 + ] ++ lib.optionals (stdenv.isDarwin && stdenv.isAarch64) [ 111 + # RuntimeWarning: invalid value encountered in cast 112 + "tests/lax_test.py" 110 113 ]; 111 114 112 115 # As of 0.3.22, `import jax` does not work without jaxlib being installed.
+10 -5
pkgs/development/python-modules/jaxlib/default.nix
··· 63 63 # aarch64-darwin is broken because of https://github.com/bazelbuild/rules_cc/pull/136 64 64 # however even with that fix applied, it doesn't work for everyone: 65 65 # https://github.com/NixOS/nixpkgs/pull/184395#issuecomment-1207287129 66 - broken = stdenv.isAarch64 || stdenv.isDarwin; 66 + broken = stdenv.isDarwin; 67 67 }; 68 68 69 69 cudatoolkit_joined = symlinkJoin { ··· 128 128 "wrapt" 129 129 "zlib" 130 130 ]; 131 + 132 + arch = 133 + # KeyError: ('Linux', 'arm64') 134 + if stdenv.targetPlatform.isLinux && stdenv.targetPlatform.linuxArch == "arm64" then "aarch64" 135 + else stdenv.targetPlatform.linuxArch; 131 136 132 137 bazel-build = buildBazelPackage rec { 133 138 name = "bazel-build-${pname}-${version}"; ··· 296 291 '' else throw "Unsupported stdenv.cc: ${stdenv.cc}"); 297 292 298 293 installPhase = '' 299 - ./bazel-bin/build/build_wheel --output_path=$out --cpu=${stdenv.targetPlatform.linuxArch} 294 + ./bazel-bin/build/build_wheel --output_path=$out --cpu=${arch} 300 295 ''; 301 296 }; 302 297 ··· 304 299 }; 305 300 platformTag = 306 301 if stdenv.targetPlatform.isLinux then 307 - "manylinux2014_${stdenv.targetPlatform.linuxArch}" 302 + "manylinux2014_${arch}" 308 303 else if stdenv.system == "x86_64-darwin" then 309 - "macosx_10_9_${stdenv.targetPlatform.linuxArch}" 304 + "macosx_10_9_${arch}" 310 305 else if stdenv.system == "aarch64-darwin" then 311 - "macosx_11_0_${stdenv.targetPlatform.linuxArch}" 306 + "macosx_11_0_${arch}" 312 307 else throw "Unsupported target platform: ${stdenv.targetPlatform}"; 313 308 314 309 in
+2 -7
pkgs/development/python-modules/latex2mathml/default.nix
··· 3 3 , pythonOlder 4 4 , fetchFromGitHub 5 5 , poetry-core 6 - , setuptools 7 6 , pytestCheckHook 8 7 , multidict 9 8 , xmljson ··· 10 11 11 12 buildPythonPackage rec { 12 13 pname = "latex2mathml"; 13 - version = "3.75.5"; 14 + version = "3.76.0"; 14 15 15 16 disabled = pythonOlder "3.8"; 16 17 ··· 18 19 owner = "roniemartinez"; 19 20 repo = pname; 20 21 rev = version; 21 - hash = "sha256-ezSksOUvSUqo8MktjKU5ZWhAxtFHwFkSAOJ8rG2jgoU="; 22 + hash = "sha256-CoWXWgu1baM5v7OC+OlRHZB0NkPue4qFzylJk4Xq2e4="; 22 23 }; 23 24 24 25 format = "pyproject"; 25 26 26 27 nativeBuildInputs = [ 27 28 poetry-core 28 - ]; 29 - 30 - propagatedBuildInputs = [ 31 - setuptools # needs pkg_resources at runtime 32 29 ]; 33 30 34 31 nativeCheckInputs = [
+5 -3
pkgs/development/python-modules/mmcv/default.nix
··· 18 18 , pyturbojpeg 19 19 , tifffile 20 20 , lmdb 21 + , mmengine 21 22 , symlinkJoin 22 23 }: 23 24 ··· 49 48 in 50 49 buildPythonPackage rec { 51 50 pname = "mmcv"; 52 - version = "1.7.1"; 51 + version = "2.0.0"; 53 52 format = "setuptools"; 54 53 55 - disabled = pythonOlder "3.6"; 54 + disabled = pythonOlder "3.7"; 56 55 57 56 src = fetchFromGitHub { 58 57 owner = "open-mmlab"; 59 58 repo = pname; 60 59 rev = "refs/tags/v${version}"; 61 - hash = "sha256-b4MLBPNRCcPq1osUvqo71PCWVX7lOjAH+dXttd4ZapU"; 60 + hash = "sha256-36PcvoB0bM0VoNb2psURYFo3krmgHG47OufU6PVjHyw="; 62 61 }; 63 62 64 63 preConfigure = '' ··· 101 100 nativeCheckInputs = [ pytestCheckHook torchvision lmdb onnx onnxruntime scipy pyturbojpeg tifffile ]; 102 101 103 102 propagatedBuildInputs = [ 103 + mmengine 104 104 torch 105 105 opencv4 106 106 yapf
+78
pkgs/development/python-modules/mmengine/default.nix
··· 1 + { lib 2 + , buildPythonPackage 3 + , fetchFromGitHub 4 + , pytestCheckHook 5 + , pythonOlder 6 + , torch 7 + , opencv4 8 + , yapf 9 + , coverage 10 + , mlflow 11 + , lmdb 12 + , matplotlib 13 + , numpy 14 + , pyyaml 15 + , rich 16 + , termcolor 17 + , addict 18 + , parameterized 19 + }: 20 + 21 + buildPythonPackage rec { 22 + pname = "mmengine"; 23 + version = "0.7.3"; 24 + format = "setuptools"; 25 + 26 + disabled = pythonOlder "3.7"; 27 + 28 + src = fetchFromGitHub { 29 + owner = "open-mmlab"; 30 + repo = pname; 31 + rev = "refs/tags/v${version}"; 32 + hash = "sha256-Ook85XWosxbvshsQxZEoAWI/Ugl2uSO8zoNJ5EuuW1E="; 33 + }; 34 + 35 + # tests are disabled due to sandbox env. 36 + disabledTests = [ 37 + "test_fileclient" 38 + "test_http_backend" 39 + "test_misc" 40 + ]; 41 + 42 + nativeBuildInputs = [ pytestCheckHook ]; 43 + 44 + nativeCheckInputs = [ 45 + coverage 46 + lmdb 47 + mlflow 48 + torch 49 + parameterized 50 + ]; 51 + 52 + propagatedBuildInputs = [ 53 + addict 54 + matplotlib 55 + numpy 56 + pyyaml 57 + rich 58 + termcolor 59 + yapf 60 + opencv4 61 + ]; 62 + 63 + preCheck = '' 64 + export HOME=$TMPDIR 65 + ''; 66 + 67 + pythonImportsCheck = [ 68 + "mmengine" 69 + ]; 70 + 71 + meta = with lib; { 72 + description = "a foundational library for training deep learning models based on PyTorch"; 73 + homepage = "https://github.com/open-mmlab/mmengine"; 74 + changelog = "https://github.com/open-mmlab/mmengine/releases/tag/v${version}"; 75 + license = with licenses; [ asl20 ]; 76 + maintainers = with maintainers; [ rxiao ]; 77 + }; 78 + }
+2 -2
pkgs/development/python-modules/pulumi-aws/default.nix
··· 12 12 buildPythonPackage rec { 13 13 pname = "pulumi-aws"; 14 14 # Version is independant of pulumi's. 15 - version = "5.40.0"; 15 + version = "5.41.0"; 16 16 format = "setuptools"; 17 17 18 18 disabled = pythonOlder "3.7"; ··· 21 21 owner = "pulumi"; 22 22 repo = "pulumi-aws"; 23 23 rev = "refs/tags/v${version}"; 24 - hash = "sha256-DMSBQhBxbVfU7ULkLI8KV7JJLBsaVb/Z9BZZG2GEOzQ="; 24 + hash = "sha256-axVzystW9kvyMP35h/GCN1Cy1y8CYNxZglWeXVJfWSc="; 25 25 }; 26 26 27 27 sourceRoot = "${src.name}/sdk/python";
+3 -1
pkgs/development/python-modules/python-efl/default.nix
··· 48 48 platforms = platforms.linux; 49 49 license = with licenses; [ gpl3 lgpl3 ]; 50 50 maintainers = with maintainers; [ matejc ftrvxmtrx ] ++ teams.enlightenment.members; 51 - broken = true; 51 + # The generated files in the tarball aren't compatible with python 3.11 52 + # See https://sourceforge.net/p/enlightenment/mailman/message/37794291/ 53 + broken = python.pythonAtLeast "3.11"; 52 54 }; 53 55 }
+2 -2
pkgs/development/python-modules/python-pidfile/default.nix
··· 6 6 7 7 buildPythonPackage rec { 8 8 pname = "python-pidfile"; 9 - version = "3.0.0"; 9 + version = "3.1.1"; 10 10 11 11 src = fetchPypi { 12 12 inherit pname version; 13 - hash = "sha256-HhCX30G8dfV0WZ/++J6LIO/xvfyRkdPtJkzC2ulUKdA="; 13 + hash = "sha256-pgQBL2iagsHMRFEKI85ZwyaIL7kcIftAy6s+lX958M0="; 14 14 }; 15 15 16 16 propagatedBuildInputs = [
+2 -2
pkgs/development/python-modules/rplcd/default.nix
··· 2 2 3 3 buildPythonPackage rec { 4 4 pname = "rplcd"; 5 - version = "1.3.0"; 5 + version = "1.3.1"; 6 6 7 7 src = fetchPypi { 8 8 inherit version; 9 9 pname = "RPLCD"; 10 - hash = "sha256-AIEiL+IPU76DF+P08c5qokiJcZdNNDJ/Jjng2Z292LY="; 10 + hash = "sha256-uZ0pPzWK8cBSX8/qvcZGYEnlVdtWn/vKPyF1kfwU5Pk="; 11 11 }; 12 12 13 13 # Disable check because it depends on a GPIO library
+14 -4
pkgs/development/python-modules/skorch/default.nix
··· 1 1 { lib 2 + , stdenv 2 3 , buildPythonPackage 3 4 , fetchPypi 4 5 , pytestCheckHook ··· 15 14 16 15 buildPythonPackage rec { 17 16 pname = "skorch"; 18 - version = "0.12.1"; 17 + version = "0.13.0"; 19 18 20 19 src = fetchPypi { 21 20 inherit pname version; 22 - hash = "sha256-fjNbNY/Dr7lgVGPrHJTvPGuhyPR6IVS7ohBQMI+J1+k="; 21 + hash = "sha256-k9Zs4uqskHLqVHOKK7dIOmBSUmbDpOMuPS9eSdxNjO0="; 23 22 }; 24 23 25 24 propagatedBuildInputs = [ numpy torch scikit-learn scipy tabulate tqdm ]; ··· 38 37 "test_load_cuda_params_to_cpu" 39 38 # failing tests 40 39 "test_pickle_load" 40 + ] ++ lib.optionals stdenv.isDarwin [ 41 + # there is a problem with the compiler selection 42 + "test_fit_and_predict_with_compile" 41 43 ]; 42 44 43 - # tries to import `transformers` and download HuggingFace data 44 - disabledTestPaths = [ "skorch/tests/test_hf.py" ]; 45 + disabledTestPaths = [ 46 + # tries to import `transformers` and download HuggingFace data 47 + "skorch/tests/test_hf.py" 48 + ] ++ lib.optionals (stdenv.hostPlatform.system != "x86_64-linux") [ 49 + # torch.distributed is disabled by default in darwin 50 + # aarch64-linux also failed these tests 51 + "skorch/tests/test_history.py" 52 + ]; 45 53 46 54 pythonImportsCheck = [ "skorch" ]; 47 55
+24 -2
pkgs/development/python-modules/tensorflow-datasets/default.nix
··· 2 2 , attrs 3 3 , beautifulsoup4 4 4 , buildPythonPackage 5 + , click 6 + , datasets 5 7 , dill 6 8 , dm-tree 7 9 , fetchFromGitHub ··· 16 14 , jinja2 17 15 , langdetect 18 16 , lib 17 + , lxml 19 18 , matplotlib 20 19 , mwparserfromhell 21 20 , networkx ··· 27 24 , pillow 28 25 , promise 29 26 , protobuf 27 + , psutil 30 28 , pycocotools 31 29 , pydub 32 30 , pytest-xdist ··· 69 65 numpy 70 66 promise 71 67 protobuf 68 + psutil 72 69 requests 73 70 six 74 71 tensorflow-metadata ··· 84 79 nativeCheckInputs = [ 85 80 apache-beam 86 81 beautifulsoup4 82 + click 83 + datasets 87 84 ffmpeg 88 85 imagemagick 89 86 jax 90 87 jaxlib 91 88 jinja2 92 89 langdetect 90 + lxml 93 91 matplotlib 94 92 mwparserfromhell 95 93 networkx ··· 117 109 "tensorflow_datasets/core/dataset_info_test.py" 118 110 "tensorflow_datasets/core/features/features_test.py" 119 111 "tensorflow_datasets/core/github_api/github_path_test.py" 112 + "tensorflow_datasets/core/registered_test.py" 120 113 "tensorflow_datasets/core/utils/gcs_utils_test.py" 114 + "tensorflow_datasets/import_without_tf_test.py" 121 115 "tensorflow_datasets/scripts/cli/build_test.py" 122 116 123 117 # Requires `pretty_midi` which is not packaged in `nixpkgs`. 124 - "tensorflow_datasets/audio/groove_test.py" 118 + "tensorflow_datasets/audio/groove.py" 119 + "tensorflow_datasets/datasets/groove/groove_dataset_builder_test.py" 125 120 126 121 # Requires `crepe` which is not packaged in `nixpkgs`. 127 - "tensorflow_datasets/audio/nsynth_test.py" 122 + "tensorflow_datasets/audio/nsynth.py" 123 + "tensorflow_datasets/datasets/nsynth/nsynth_dataset_builder_test.py" 124 + 125 + # Requires `conllu` which is not packaged in `nixpkgs`. 126 + "tensorflow_datasets/core/dataset_builders/conll/conllu_dataset_builder_test.py" 127 + "tensorflow_datasets/datasets/universal_dependencies/universal_dependencies_dataset_builder_test.py" 128 + "tensorflow_datasets/datasets/xtreme_pos/xtreme_pos_dataset_builder_test.py" 128 129 129 130 # Requires `gcld3` and `pretty_midi` which are not packaged in `nixpkgs`. 130 131 "tensorflow_datasets/core/lazy_imports_lib_test.py" 131 132 132 133 # Requires `tensorflow_io` which is not packaged in `nixpkgs`. 134 + "tensorflow_datasets/core/features/audio_feature_test.py" 133 135 "tensorflow_datasets/image/lsun_test.py" 134 136 135 137 # Requires `envlogger` which is not packaged in `nixpkgs`. ··· 150 132 # deep in TF AutoGraph. Doesn't reproduce in Docker with Ubuntu 22.04 => might be related 151 133 # to the differences in some of the dependencies? 152 134 "tensorflow_datasets/rl_unplugged/rlu_atari/rlu_atari_test.py" 135 + 136 + # Fails with `ValueError: setting an array element with a sequence` 137 + "tensorflow_datasets/core/dataset_utils_test.py" 138 + "tensorflow_datasets/core/features/sequence_feature_test.py" 153 139 154 140 # Requires `tensorflow_docs` which is not packaged in `nixpkgs` and the test is for documentation anyway. 155 141 "tensorflow_datasets/scripts/documentation/build_api_docs_test.py"
+2 -2
pkgs/development/python-modules/wandb/default.nix
··· 51 51 52 52 buildPythonPackage rec { 53 53 pname = "wandb"; 54 - version = "0.15.2"; 54 + version = "0.15.3"; 55 55 format = "setuptools"; 56 56 57 57 disabled = pythonOlder "3.6"; ··· 60 60 owner = pname; 61 61 repo = pname; 62 62 rev = "refs/tags/v${version}"; 63 - hash = "sha256-cAmX3r6XhCBUnC/fNNPakZUNEcDFke0DJMi2PW7sOho="; 63 + hash = "sha256-i1Lo6xbkCgRTJwRjk2bXkZ5a/JRUCzFzmEuPQlPvZf4="; 64 64 }; 65 65 66 66 patches = [
+14 -9
pkgs/development/tools/argc/default.nix
··· 2 2 , rustPlatform 3 3 , fetchFromGitHub 4 4 , installShellFiles 5 - , rust 6 - , stdenv 5 + , fetchpatch 7 6 }: 8 7 9 8 rustPlatform.buildRustPackage rec { 10 9 pname = "argc"; 11 - version = "1.1.0"; 10 + version = "1.2.0"; 12 11 13 12 src = fetchFromGitHub { 14 13 owner = "sigoden"; 15 14 repo = pname; 16 15 rev = "v${version}"; 17 - hash = "sha256-db75OoFmsR03lK99vGg8+fHJENOyoDFo+uqQJNYmI9M="; 16 + hash = "sha256-sJINgB1cGtqLPl2RmwgChwnSrJL5TWu5AU6hfLhvmE4="; 18 17 }; 19 18 20 - cargoHash = "sha256-6TC4RWDcg4el+jkq8Jal0k+2sdNsjMkMYqP/b9wP5mU="; 19 + cargoHash = "sha256-HrmqARhEKlAjrW6QieVEEKkfda6R69oLcG/6fd3rvWM="; 20 + 21 + patches = [ 22 + # tests make the assumption that the compiled binary is in target/debug, 23 + # which fails since `cargoBuildHook` uses `--release` and `--target` 24 + (fetchpatch { 25 + name = "fix-tests-with-release-or-target"; 26 + url = "https://github.com/sigoden/argc/commit/a4f2db46e27cad14d3251ef0b25b6f2ea9e70f0e.patch"; 27 + hash = "sha256-bsHSo11/RVstyzdg0BKFhjuWUTLdKO4qsWIOjTTi+HQ="; 28 + }) 29 + ]; 21 30 22 31 nativeBuildInputs = [ installShellFiles ]; 23 - 24 - preCheck = '' 25 - export PATH=target/${rust.toRustTarget stdenv.hostPlatform}/release:$PATH 26 - ''; 27 32 28 33 postInstall = '' 29 34 installShellCompletion --cmd argc \
+2 -2
pkgs/development/tools/micronaut/default.nix
··· 2 2 3 3 stdenv.mkDerivation rec { 4 4 pname = "micronaut"; 5 - version = "3.9.1"; 5 + version = "3.9.2"; 6 6 7 7 src = fetchzip { 8 8 url = "https://github.com/micronaut-projects/micronaut-starter/releases/download/v${version}/micronaut-cli-${version}.zip"; 9 - sha256 = "sha256-Z4Nf4U6hPuSDvCLCxymaouPz+msUytR7Gqof4opATxo="; 9 + sha256 = "sha256-LhNpkCOWgFmzGml4weIpUCHPREcDXlstSzyMZz0tBo8="; 10 10 }; 11 11 12 12 nativeBuildInputs = [ makeWrapper installShellFiles ];
+6 -6
pkgs/development/web/bun/default.nix
··· 12 12 }: 13 13 14 14 stdenvNoCC.mkDerivation rec { 15 - version = "0.6.2"; 15 + version = "0.6.3"; 16 16 pname = "bun"; 17 17 18 18 src = passthru.sources.${stdenvNoCC.hostPlatform.system} or (throw "Unsupported system: ${stdenvNoCC.hostPlatform.system}"); ··· 33 33 sources = { 34 34 "aarch64-darwin" = fetchurl { 35 35 url = "https://github.com/oven-sh/bun/releases/download/bun-v${version}/bun-darwin-aarch64.zip"; 36 - sha256 = "Zt17kNKVyqql+wHxR+H2peyz3ADj5h506Vg5jJVF6uE="; 36 + sha256 = "u2sgfejY9I6zjpo30H63Pf8FrnI9yzvKZKdVCEwuMJo="; 37 37 }; 38 38 "aarch64-linux" = fetchurl { 39 39 url = "https://github.com/oven-sh/bun/releases/download/bun-v${version}/bun-linux-aarch64.zip"; 40 - sha256 = "I8Z0S6th4Iay5/5VPnL+wY0ROUAyOzNPtkOij8KsyMo="; 40 + sha256 = "fGq9m17WZ382UOROpAHUuk21mU1WhgmzQDUAb0RpGfo="; 41 41 }; 42 42 "x86_64-darwin" = fetchurl { 43 43 url = "https://github.com/oven-sh/bun/releases/download/bun-v${version}/bun-darwin-x64.zip"; 44 - sha256 = "zl5/fihD+if18ykCJV4VBXhqoarSLsIpT+sz1Ba1Xtg="; 44 + sha256 = "npRAY3ffTDd5uOcHGoKksD5mDHPBqYAqxuuQKd4PC3Q="; 45 45 }; 46 46 "x86_64-linux" = fetchurl { 47 47 url = "https://github.com/oven-sh/bun/releases/download/bun-v${version}/bun-linux-x64.zip"; 48 - sha256 = "aXZzMxsmkFiZgvLv6oZurb4lc6R2/SmJ6GQaZV/kCLw="; 48 + sha256 = "UBrNOjrK+40OlkiFT8d8oav/2ZSAaz0xWYCalGtahs8="; 49 49 }; 50 50 }; 51 51 updateScript = writeShellScript "update-bun" '' ··· 74 74 mit # bun core 75 75 lgpl21Only # javascriptcore and webkit 76 76 ]; 77 - maintainers = with maintainers; [ DAlperin jk ]; 77 + maintainers = with maintainers; [ DAlperin jk thilobillerbeck ]; 78 78 platforms = builtins.attrNames passthru.sources; 79 79 }; 80 80 }
+43 -64
pkgs/games/space-station-14-launcher/deps.nix
··· 2 2 # Please dont edit it manually, your changes might get overwritten! 3 3 4 4 { fetchNuGet }: [ 5 - (fetchNuGet { pname = "Avalonia"; version = "0.10.13"; sha256 = "1df46dvjyax8jjdcvdavpzq5bwxacrw71j557mcm1401vv3r1vn3"; }) 5 + (fetchNuGet { pname = "Avalonia"; version = "0.10.19"; sha256 = "1yzrbp0b6kv9h9d4kl96ldr6ln40xj1j2yvbvpm0pgv7ajwr7qhc"; }) 6 6 (fetchNuGet { pname = "Avalonia.Angle.Windows.Natives"; version = "2.1.0.2020091801"; sha256 = "04jm83cz7vkhhr6n2c9hya2k8i2462xbf6np4bidk55as0jdq43a"; }) 7 - (fetchNuGet { pname = "Avalonia.Controls.DataGrid"; version = "0.10.13"; sha256 = "1yl402l5cwbv6gwy3p8r702ypp3p8w5wi8im25c2bjnv31889l8r"; }) 8 - (fetchNuGet { pname = "Avalonia.Desktop"; version = "0.10.13"; sha256 = "1y206hrfwyg8023z0m7dik1hlir1r18h8q0f0zqz3sabyy5k276w"; }) 9 - (fetchNuGet { pname = "Avalonia.Diagnostics"; version = "0.10.13"; sha256 = "11khr3w7gwlm1bajfh5zhrsfcfd9kbw5mbgwnbjq7i5lq9glriid"; }) 10 - (fetchNuGet { pname = "Avalonia.FreeDesktop"; version = "0.10.13"; sha256 = "18gygzg12facawvzmfgpja4rsagy670dv1dcrx4shfl7w8l998jp"; }) 11 - (fetchNuGet { pname = "Avalonia.Native"; version = "0.10.13"; sha256 = "18b2pykfcgw9pyjmdqq7i1n8j330n7xrwyldl9bpkvahswinvhza"; }) 12 - (fetchNuGet { pname = "Avalonia.ReactiveUI"; version = "0.10.13"; sha256 = "1y93xh9mgaa8nzsmp6la8jkw0bqia4i1cx7vmwzy7c5j7pd81aq4"; }) 13 - (fetchNuGet { pname = "Avalonia.Remote.Protocol"; version = "0.10.13"; sha256 = "0j0kdh6dbii59v972azhwq69rmak63lp5f5jqz3pi94mifx4bayy"; }) 14 - (fetchNuGet { pname = "Avalonia.Skia"; version = "0.10.13"; sha256 = "0k5y0w164m03q278m4wr7zzf3vfq9nb0am9vmmprivpn1xwwa7ml"; }) 15 - (fetchNuGet { pname = "Avalonia.Win32"; version = "0.10.13"; sha256 = "0jyl1rrn1n07dnqn76ijwhxgkc45dmsfh2d811n4695ndaz85nkl"; }) 16 - (fetchNuGet { pname = "Avalonia.X11"; version = "0.10.13"; sha256 = "1y8x9hjdlxg4q8q958i364cbak8xjh4nldp38cnxwjir814p0xwh"; }) 17 - (fetchNuGet { pname = "CodeHollow.FeedReader"; version = "1.2.1"; sha256 = "050ni2952n2xmbq0vyk37wpxhgcfsffm8w0wh27km75nim6l3jnj"; }) 7 + (fetchNuGet { pname = "Avalonia.Controls.DataGrid"; version = "0.10.19"; sha256 = "0wlmr4dlz8x3madm7xwhmsf0kgdnwcy6n7zvfd9x6h0bllii1lbn"; }) 8 + (fetchNuGet { pname = "Avalonia.Desktop"; version = "0.10.19"; sha256 = "0vghwp1wx6l1z0dlvd9aqdaikz6k34q0i9yzaphqlzjp6ms2g2ny"; }) 9 + (fetchNuGet { pname = "Avalonia.Diagnostics"; version = "0.10.19"; sha256 = "1zlcp8mwn2nscrdsvxlspny22m054gsva9az27pvk7s2s5mrqgfk"; }) 10 + (fetchNuGet { pname = "Avalonia.FreeDesktop"; version = "0.10.19"; sha256 = "01fin1w9nwa3c9kpvbri26x1r4g59hmayx9r5hxwbhq7s7vm5ghr"; }) 11 + (fetchNuGet { pname = "Avalonia.Native"; version = "0.10.19"; sha256 = "0c9rw2wckyx9h5yfhm0af5zbs53n9bnhv0mlshl7mn0p92v1wfl3"; }) 12 + (fetchNuGet { pname = "Avalonia.ReactiveUI"; version = "0.10.19"; sha256 = "0kx4qka2rdmlp54qyn04hh79qc5w796gv3ryv24n82hpplzksqi9"; }) 13 + (fetchNuGet { pname = "Avalonia.Remote.Protocol"; version = "0.10.19"; sha256 = "0klk9hqas0h3d3lmr0di175nw2kwq5br1xpprkb4y4m83r5lfy0s"; }) 14 + (fetchNuGet { pname = "Avalonia.Skia"; version = "0.10.19"; sha256 = "16cl9ssmyif2a25fq9kvxs2vr83j589yns53zkfr3wmggl9n6lf2"; }) 15 + (fetchNuGet { pname = "Avalonia.Win32"; version = "0.10.19"; sha256 = "1pd3jmrdc738j7b4d8rzaj7fxrfq1m2pl3i62z2ym3h0sxl51xy2"; }) 16 + (fetchNuGet { pname = "Avalonia.X11"; version = "0.10.19"; sha256 = "1h71w73r7r9ci059qwsjqnhp60l8sfd3i3xsw37qfnbhslcna6hh"; }) 17 + (fetchNuGet { pname = "CodeHollow.FeedReader"; version = "1.2.6"; sha256 = "1ac98diww07cfs3cv142nlwzi9w3n2s5w7m60mkc0rpzg0vpq3mv"; }) 18 18 (fetchNuGet { pname = "Dapper"; version = "2.0.123"; sha256 = "15hxrchfgiqnmgf8fqhrf4pb4c8l9igg5qnkw9yk3rkagcqfkk91"; }) 19 - (fetchNuGet { pname = "DynamicData"; version = "7.4.9"; sha256 = "0ssgh42fi5m6xyw36f4km04ls9nq4w8cpbck8gh7g8n3ixz05rrw"; }) 20 - (fetchNuGet { pname = "Fody"; version = "6.6.0"; sha256 = "0cx708ah61cxmvpaq040mhqwrv937rvlmskwihg1w118729k9yv0"; }) 21 - (fetchNuGet { pname = "HarfBuzzSharp"; version = "2.8.2-preview.178"; sha256 = "1p5nwzl7jpypsd6df7hgcf47r977anjlyv21wacmalsj6lvdgnvn"; }) 22 - (fetchNuGet { pname = "HarfBuzzSharp.NativeAssets.Linux"; version = "2.8.2-preview.178"; sha256 = "1402ylkxbgcnagcarqlfvg4gppy2pqs3bmin4n5mphva1g7bqb2p"; }) 23 - (fetchNuGet { pname = "HarfBuzzSharp.NativeAssets.macOS"; version = "2.8.2-preview.178"; sha256 = "0p8miaclnbfpacc1jaqxwfg0yfx9byagi4j4k91d9621vd19i8b2"; }) 24 - (fetchNuGet { pname = "HarfBuzzSharp.NativeAssets.WebAssembly"; version = "2.8.2-preview.178"; sha256 = "1n9jay9sji04xly6n8bzz4591fgy8i65p21a8mv5ip9lsyj1c320"; }) 25 - (fetchNuGet { pname = "HarfBuzzSharp.NativeAssets.Win32"; version = "2.8.2-preview.178"; sha256 = "1r5syii96wv8q558cvsqw3lr10cdw6677lyiy82p6i3if51v3mr7"; }) 19 + (fetchNuGet { pname = "DynamicData"; version = "7.13.1"; sha256 = "0hy2ba2nkhgp23glkinhfx3v892fkkf4cr9m41daaahnl2r2l8y1"; }) 20 + (fetchNuGet { pname = "Fody"; version = "6.6.4"; sha256 = "1hhdwj0ska7dvak9hki8cnyfmmw5r8yw8w24gzsdwhqx68dnrvsx"; }) 21 + (fetchNuGet { pname = "HarfBuzzSharp"; version = "2.8.2.1-preview.108"; sha256 = "0xs4px4fy5b6glc77rqswzpi5ddhxvbar1md6q9wla7hckabnq0z"; }) 22 + (fetchNuGet { pname = "HarfBuzzSharp.NativeAssets.Linux"; version = "2.8.2.1-preview.108"; sha256 = "16wvgvyra2g1b38rxxgkk85wbz89hspixs54zfcm4racgmj1mrj4"; }) 23 + (fetchNuGet { pname = "HarfBuzzSharp.NativeAssets.macOS"; version = "2.8.2.1-preview.108"; sha256 = "16v7lrwwif2f5zfkx08n6y6w3m56mh4hy757biv0w9yffaf200js"; }) 24 + (fetchNuGet { pname = "HarfBuzzSharp.NativeAssets.WebAssembly"; version = "2.8.2.1-preview.108"; sha256 = "15kqb353snwpavz3jja63mq8xjqsrw1f902scm8wxmsqrm5q6x55"; }) 25 + (fetchNuGet { pname = "HarfBuzzSharp.NativeAssets.Win32"; version = "2.8.2.1-preview.108"; sha256 = "0n6ymn9jqms3mk5hg0ar4y9jmh96myl6q0jimn7ahb1a8viq55k1"; }) 26 26 (fetchNuGet { pname = "JetBrains.Annotations"; version = "10.3.0"; sha256 = "1grdx28ga9fp4hwwpwv354rizm8anfq4lp045q4ss41gvhggr3z8"; }) 27 - (fetchNuGet { pname = "libsodium"; version = "1.0.18"; sha256 = "15qzl5k31yaaapqlijr336lh4lzz1qqxlimgxy8fdyig8jdmgszn"; }) 27 + (fetchNuGet { pname = "libsodium"; version = "1.0.18.2"; sha256 = "02xd4phd6wfixhdq48ma92c166absqw41vdq5kvjch8p0vc9cdl2"; }) 28 28 (fetchNuGet { pname = "Microsoft.AspNetCore.App.Ref"; version = "6.0.16"; sha256 = "1v02j1i139a8x32hgi1yhcpp754xi0sg5b7iqzmslvinfg3b7dwn"; }) 29 29 (fetchNuGet { pname = "Microsoft.AspNetCore.App.Runtime.linux-x64"; version = "6.0.16"; sha256 = "1xdhn8v8y947kw29npck1h9qaw8rj81q7a0qwawpc2200ds96n40"; }) 30 30 (fetchNuGet { pname = "Microsoft.CodeAnalysis.Analyzers"; version = "2.9.6"; sha256 = "18mr1f0wpq0fir8vjnq0a8pz50zpnblr7sabff0yqx37c975934a"; }) ··· 33 33 (fetchNuGet { pname = "Microsoft.CodeAnalysis.CSharp.Scripting"; version = "3.4.0"; sha256 = "1h2f0z9xnw987x8bydka1sd42ijqjx973md6v1gvpy1qc6ad244g"; }) 34 34 (fetchNuGet { pname = "Microsoft.CodeAnalysis.Scripting.Common"; version = "3.4.0"; sha256 = "195gqnpwqkg2wlvk8x6yzm7byrxfq9bki20xmhf6lzfsdw3z4mf2"; }) 35 35 (fetchNuGet { pname = "Microsoft.CSharp"; version = "4.3.0"; sha256 = "0gw297dgkh0al1zxvgvncqs0j15lsna9l1wpqas4rflmys440xvb"; }) 36 - (fetchNuGet { pname = "Microsoft.Data.Sqlite"; version = "6.0.1"; sha256 = "04kzr5mi899fd1fmd56wkh14whcvyibb484dfirdsd0kgrkcb0x6"; }) 37 - (fetchNuGet { pname = "Microsoft.Data.Sqlite.Core"; version = "6.0.1"; sha256 = "0gzn3rynp9k6mx4h4dhq124b7ra8m11rkjh40r2r8z4gkr0shjv1"; }) 36 + (fetchNuGet { pname = "Microsoft.Data.Sqlite"; version = "7.0.4"; sha256 = "0lsbzwqiwqv2qq6858aphq7rsp6fs3i0di132w7c0r2r081szql9"; }) 37 + (fetchNuGet { pname = "Microsoft.Data.Sqlite.Core"; version = "7.0.4"; sha256 = "0mhfj8bj8dlc01y20ihq6j9r59f67cry6yd6qi6rg9zh93m43jpv"; }) 38 38 (fetchNuGet { pname = "Microsoft.NETCore.App.Host.linux-x64"; version = "6.0.16"; sha256 = "1pv9arqbmxlh86rnx6nss2cl91hi22j83p66m4ahds34caykf32l"; }) 39 39 (fetchNuGet { pname = "Microsoft.NETCore.App.Ref"; version = "6.0.16"; sha256 = "1w89n5grnxdis0wclfimi9ij8g046yrw76rhmcp8l57xm8nl21yj"; }) 40 40 (fetchNuGet { pname = "Microsoft.NETCore.App.Runtime.linux-x64"; version = "6.0.16"; sha256 = "1fjrc1l7ihal93ybxqzlxrs7vdqb9jhkabh2acwrmlh7q5197vn2"; }) ··· 47 47 (fetchNuGet { pname = "Microsoft.Toolkit.Mvvm"; version = "7.1.2"; sha256 = "0hrlgjr41hlpp3hb697i0513x2cm4ysbl0wj4bj67md604cmkv14"; }) 48 48 (fetchNuGet { pname = "Microsoft.Win32.SystemEvents"; version = "4.5.0"; sha256 = "0fnkv3ky12227zqg4zshx4kw2mvysq2ppxjibfw02cc3iprv4njq"; }) 49 49 (fetchNuGet { pname = "Mono.Posix.NETStandard"; version = "1.0.0"; sha256 = "0xlja36hwpjm837haq15mjh2prcf68lyrmn72nvgpz8qnf9vappw"; }) 50 - (fetchNuGet { pname = "NSec.Cryptography"; version = "20.2.0"; sha256 = "19slji51v8s8i4836nqqg7qb3i3p4ahqahz0fbb3gwpp67pn6izx"; }) 51 - (fetchNuGet { pname = "ReactiveUI"; version = "17.1.9"; sha256 = "0z4jjvrb56hjbgb1kiq1spj6jw7yai1cwg69pbwfj89wknr9alvg"; }) 52 - (fetchNuGet { pname = "ReactiveUI.Fody"; version = "17.1.9"; sha256 = "1chzyccmckyym6svxh8qj34vy4vn51ixrxgwcvwq0bnr6pxlxkx7"; }) 50 + (fetchNuGet { pname = "NSec.Cryptography"; version = "22.4.0"; sha256 = "0v89wyvl58ia8r74wn3shajs1ia0rgx1p60nlr87g7ys6lq7ql2d"; }) 51 + (fetchNuGet { pname = "ReactiveUI"; version = "18.4.26"; sha256 = "0xhj4vk64smjfw7sr2gqxvradqbgky6jgfryq8q85h1hz10r7xaa"; }) 52 + (fetchNuGet { pname = "ReactiveUI.Fody"; version = "18.4.26"; sha256 = "0i79ajjmibg10cardpq9qh5wy1b4ngvb2v33fr4c5pf1y65xzhmr"; }) 53 53 (fetchNuGet { pname = "Robust.Natives"; version = "0.1.1"; sha256 = "1spfaxk8nsx368zncdcj0b3kg7gj7h14mjji19xrraf8ij0dnczw"; }) 54 54 (fetchNuGet { pname = "Robust.Natives.Angle"; version = "0.1.1-chromium4758"; sha256 = "0awydljd6psr0w661p9q73pg2aa29lfb4i0arkpszl0ra33mhrah"; }) 55 55 (fetchNuGet { pname = "Robust.Natives.Fluidsynth"; version = "0.1.0"; sha256 = "00nkww5sjixs1dmn979niq0hrhplcpabrp18bmpm240wl53ay72x"; }) ··· 59 59 (fetchNuGet { pname = "Robust.Natives.Swnfd"; version = "0.1.0"; sha256 = "1ssnl6zasf2cdaffib4pzyfd1w962y1zmcsivyalgpsh6p4g9as1"; }) 60 60 (fetchNuGet { pname = "Robust.Shared.AuthLib"; version = "0.1.2"; sha256 = "1vn19d81n8jdyy75ryrlajyxr0kp7pwjdlbyqcn8gcid5plrzmh0"; }) 61 61 (fetchNuGet { pname = "runtime.any.System.Collections"; version = "4.3.0"; sha256 = "0bv5qgm6vr47ynxqbnkc7i797fdi8gbjjxii173syrx14nmrkwg0"; }) 62 - (fetchNuGet { pname = "runtime.any.System.Diagnostics.Tracing"; version = "4.3.0"; sha256 = "00j6nv2xgmd3bi347k00m7wr542wjlig53rmj28pmw7ddcn97jbn"; }) 63 62 (fetchNuGet { pname = "runtime.any.System.Globalization"; version = "4.3.0"; sha256 = "1daqf33hssad94lamzg01y49xwndy2q97i2lrb7mgn28656qia1x"; }) 64 63 (fetchNuGet { pname = "runtime.any.System.IO"; version = "4.3.0"; sha256 = "0l8xz8zn46w4d10bcn3l4yyn4vhb3lrj2zw8llvz7jk14k4zps5x"; }) 65 64 (fetchNuGet { pname = "runtime.any.System.Reflection"; version = "4.3.0"; sha256 = "02c9h3y35pylc0zfq3wcsvc5nqci95nrkq0mszifc0sjx7xrzkly"; }) ··· 69 70 (fetchNuGet { pname = "runtime.any.System.Runtime.Handles"; version = "4.3.0"; sha256 = "0bh5bi25nk9w9xi8z23ws45q5yia6k7dg3i4axhfqlnj145l011x"; }) 70 71 (fetchNuGet { pname = "runtime.any.System.Runtime.InteropServices"; version = "4.3.0"; sha256 = "0c3g3g3jmhlhw4klrc86ka9fjbl7i59ds1fadsb2l8nqf8z3kb19"; }) 71 72 (fetchNuGet { pname = "runtime.any.System.Text.Encoding"; version = "4.3.0"; sha256 = "0aqqi1v4wx51h51mk956y783wzags13wa7mgqyclacmsmpv02ps3"; }) 72 - (fetchNuGet { pname = "runtime.any.System.Text.Encoding.Extensions"; version = "4.3.0"; sha256 = "0lqhgqi0i8194ryqq6v2gqx0fb86db2gqknbm0aq31wb378j7ip8"; }) 73 73 (fetchNuGet { pname = "runtime.any.System.Threading.Tasks"; version = "4.3.0"; sha256 = "03mnvkhskbzxddz4hm113zsch1jyzh2cs450dk3rgfjp8crlw1va"; }) 74 - (fetchNuGet { pname = "runtime.any.System.Threading.Timer"; version = "4.3.0"; sha256 = "0aw4phrhwqz9m61r79vyfl5la64bjxj8l34qnrcwb28v49fg2086"; }) 75 74 (fetchNuGet { pname = "runtime.debian.8-x64.runtime.native.System.Security.Cryptography.OpenSsl"; version = "4.3.0"; sha256 = "16rnxzpk5dpbbl1x354yrlsbvwylrq456xzpsha1n9y3glnhyx9d"; }) 76 75 (fetchNuGet { pname = "runtime.fedora.23-x64.runtime.native.System.Security.Cryptography.OpenSsl"; version = "4.3.0"; sha256 = "0hkg03sgm2wyq8nqk6dbm9jh5vcq57ry42lkqdmfklrw89lsmr59"; }) 77 76 (fetchNuGet { pname = "runtime.fedora.24-x64.runtime.native.System.Security.Cryptography.OpenSsl"; version = "4.3.0"; sha256 = "0c2p354hjx58xhhz7wv6div8xpi90sc6ibdm40qin21bvi7ymcaa"; }) ··· 82 85 (fetchNuGet { pname = "runtime.ubuntu.14.04-x64.runtime.native.System.Security.Cryptography.OpenSsl"; version = "4.3.0"; sha256 = "160p68l2c7cqmyqjwxydcvgw7lvl1cr0znkw8fp24d1by9mqc8p3"; }) 83 86 (fetchNuGet { pname = "runtime.ubuntu.16.04-x64.runtime.native.System.Security.Cryptography.OpenSsl"; version = "4.3.0"; sha256 = "15zrc8fgd8zx28hdghcj5f5i34wf3l6bq5177075m2bc2j34jrqy"; }) 84 87 (fetchNuGet { pname = "runtime.ubuntu.16.10-x64.runtime.native.System.Security.Cryptography.OpenSsl"; version = "4.3.0"; sha256 = "1p4dgxax6p7rlgj4q73k73rslcnz4wdcv8q2flg1s8ygwcm58ld5"; }) 85 - (fetchNuGet { pname = "runtime.unix.System.Console"; version = "4.3.0"; sha256 = "1pfpkvc6x2if8zbdzg9rnc5fx51yllprl8zkm5npni2k50lisy80"; }) 86 88 (fetchNuGet { pname = "runtime.unix.System.Diagnostics.Debug"; version = "4.3.0"; sha256 = "1lps7fbnw34bnh3lm31gs5c0g0dh7548wfmb8zz62v0zqz71msj5"; }) 87 - (fetchNuGet { pname = "runtime.unix.System.IO.FileSystem"; version = "4.3.0"; sha256 = "14nbkhvs7sji5r1saj2x8daz82rnf9kx28d3v2qss34qbr32dzix"; }) 88 89 (fetchNuGet { pname = "runtime.unix.System.Private.Uri"; version = "4.3.0"; sha256 = "1jx02q6kiwlvfksq1q9qr17fj78y5v6mwsszav4qcz9z25d5g6vk"; }) 89 90 (fetchNuGet { pname = "runtime.unix.System.Runtime.Extensions"; version = "4.3.0"; sha256 = "0pnxxmm8whx38dp6yvwgmh22smknxmqs5n513fc7m4wxvs1bvi4p"; }) 90 - (fetchNuGet { pname = "Serilog"; version = "2.10.0"; sha256 = "08bih205i632ywryn3zxkhb15dwgyaxbhmm1z3b5nmby9fb25k7v"; }) 91 - (fetchNuGet { pname = "Serilog.Sinks.Console"; version = "3.1.1"; sha256 = "0j99as641y1k6havwwkhyr0n08vibiblmfjj6nz051mz8g3864fn"; }) 92 - (fetchNuGet { pname = "Serilog.Sinks.File"; version = "4.1.0"; sha256 = "1ry7p9hf1zlnai1j5zjhjp4dqm2agsbpq6cvxgpf5l8m26x6mgca"; }) 93 - (fetchNuGet { pname = "SharpZstd.Interop"; version = "1.5.2-beta1"; sha256 = "0yvk5g9jjmr7hg695zb0wid44dqjjngycjdng2xs6awqbx9kydcw"; }) 91 + (fetchNuGet { pname = "Serilog"; version = "2.12.0"; sha256 = "0lqxpc96qcjkv9pr1rln7mi4y7n7jdi4vb36c2fv3845w1vswgr4"; }) 92 + (fetchNuGet { pname = "Serilog.Sinks.Console"; version = "4.1.0"; sha256 = "1rpkphmqfh3bv3m7v1zwz88wz4sirj4xqyff9ga0c6bqhblj6wii"; }) 93 + (fetchNuGet { pname = "Serilog.Sinks.File"; version = "5.0.0"; sha256 = "097rngmgcrdfy7jy8j7dq3xaq2qky8ijwg0ws6bfv5lx0f3vvb0q"; }) 94 94 (fetchNuGet { pname = "SharpZstd.Interop"; version = "1.5.2-beta2"; sha256 = "1145jlprsgll8ixwib0i8phc6jsv6nm4yki4wi1bkxx2bgf9yjay"; }) 95 - (fetchNuGet { pname = "SkiaSharp"; version = "2.88.0-preview.178"; sha256 = "062g14s6b2bixanpwihj3asm3jwvfw15mhvzqv6901afrlgzx4nk"; }) 96 - (fetchNuGet { pname = "SkiaSharp.NativeAssets.Linux"; version = "2.88.0-preview.178"; sha256 = "07kga1j51l3l302nvf537zg5clf6rflinjy0xd6i06cmhpkf3ksw"; }) 97 - (fetchNuGet { pname = "SkiaSharp.NativeAssets.macOS"; version = "2.88.0-preview.178"; sha256 = "14p95nxccs6yq4rn2h9zbb60k0232k6349zdpy31jcfr6gc99cgi"; }) 98 - (fetchNuGet { pname = "SkiaSharp.NativeAssets.WebAssembly"; version = "2.88.0-preview.178"; sha256 = "09jmcg5k1vpsal8jfs90mwv0isf2y5wq3h4hd77rv6vffn5ic4sm"; }) 99 - (fetchNuGet { pname = "SkiaSharp.NativeAssets.Win32"; version = "2.88.0-preview.178"; sha256 = "0ficil702lv3fvwpngbqh5l85i05l5jafzyh4jprzshr2qbnd8nl"; }) 100 - (fetchNuGet { pname = "SpaceWizards.Sodium"; version = "0.2.0"; sha256 = "1w4c555krimgkvz7nir2z63vav05125cwgsqvs65lq8qfmfh2h50"; }) 101 - (fetchNuGet { pname = "SpaceWizards.Sodium.Interop"; version = "1.0.18-beta3"; sha256 = "1lxbgccqzpyyf70rbn0lc22ib4fjyi95ajl392rlk6hq1cl3wgpj"; }) 102 - (fetchNuGet { pname = "Splat"; version = "14.1.1"; sha256 = "0j79ph1mgmwn4kmvnwi5vs7pskiavwz01l8lgax5z36nri0mwpxj"; }) 103 - (fetchNuGet { pname = "SQLitePCLRaw.bundle_e_sqlite3"; version = "2.0.6"; sha256 = "1ip0a653dx5cqybxg27zyz5ps31f2yz50g3jvz3vx39isx79gax3"; }) 104 - (fetchNuGet { pname = "SQLitePCLRaw.core"; version = "2.0.6"; sha256 = "1w4iyg0v1v1z2m7akq7rv8lsgixp2m08732vr14vgpqs918bsy1i"; }) 105 - (fetchNuGet { pname = "SQLitePCLRaw.lib.e_sqlite3"; version = "2.0.6"; sha256 = "16378rh1lcqxynf5qj0kh8mrsb0jp37qqwg4285kqc5pknvh1bx3"; }) 106 - (fetchNuGet { pname = "SQLitePCLRaw.provider.e_sqlite3"; version = "2.0.6"; sha256 = "0chgrqyycb1kqnaxnhhfg0850b94blhzni8zn79c7ggb3pd2ykyz"; }) 107 - (fetchNuGet { pname = "System.Buffers"; version = "4.3.0"; sha256 = "0fgns20ispwrfqll4q1zc1waqcmylb3zc50ys9x8zlwxh9pmd9jy"; }) 95 + (fetchNuGet { pname = "SkiaSharp"; version = "2.88.1-preview.108"; sha256 = "01sm36hdgmcgkai9m09xn2qfz8v7xhh803n8fng8rlxwnw60rgg6"; }) 96 + (fetchNuGet { pname = "SkiaSharp.NativeAssets.Linux"; version = "2.88.1-preview.108"; sha256 = "19jf2jcq2spwbpx3cfdi2a95jf4y8205rh56lmkh8zsxd2k7fjyp"; }) 97 + (fetchNuGet { pname = "SkiaSharp.NativeAssets.macOS"; version = "2.88.1-preview.108"; sha256 = "1vcpqd7slh2b9gsacpd7mk1266r1xfnkm6230k8chl3ng19qlf15"; }) 98 + (fetchNuGet { pname = "SkiaSharp.NativeAssets.WebAssembly"; version = "2.88.1-preview.108"; sha256 = "0a89gqjw8k97arr0kyd0fm3f46k1qamksbnyns9xdlgydjg557dd"; }) 99 + (fetchNuGet { pname = "SkiaSharp.NativeAssets.Win32"; version = "2.88.1-preview.108"; sha256 = "05g9blprq5msw3wshrgsk19y0fvhjlqiybs1vdyhfmww330jlypn"; }) 100 + (fetchNuGet { pname = "SpaceWizards.Sodium"; version = "0.2.1"; sha256 = "059slmfg8diivd7hv53cp24vvrzfviqp6fyg8135azynyxk787fp"; }) 101 + (fetchNuGet { pname = "SpaceWizards.Sodium.Interop"; version = "1.0.18-beta4"; sha256 = "1w59i27z2xdvdflfbnq2braas5f4gpkq9m1xcmc1961hm97z1wvn"; }) 102 + (fetchNuGet { pname = "Splat"; version = "14.6.8"; sha256 = "1nj0bsqcr93n8jdyb1all8l35gydlgih67kr7cs1bc12l18fwx2w"; }) 103 + (fetchNuGet { pname = "SQLitePCLRaw.bundle_e_sqlite3"; version = "2.1.4"; sha256 = "0shdspl9cm71wwqg9103s44r0l01r3sgnpxr523y4a0wlgac50g0"; }) 104 + (fetchNuGet { pname = "SQLitePCLRaw.core"; version = "2.1.4"; sha256 = "09akxz92qipr1cj8mk2hw99i0b81wwbwx26gpk21471zh543f8ld"; }) 105 + (fetchNuGet { pname = "SQLitePCLRaw.lib.e_sqlite3"; version = "2.1.4"; sha256 = "11l85ksv1ck46j8z08fyf0c3l572zmp9ynb7p5chm5iyrh8xwkkn"; }) 106 + (fetchNuGet { pname = "SQLitePCLRaw.provider.e_sqlite3"; version = "2.1.4"; sha256 = "0b8f51nrjkq0pmfzjaqk5rp7r0cp2lbdm2whynj3xsjklppzmn35"; }) 108 107 (fetchNuGet { pname = "System.Collections"; version = "4.3.0"; sha256 = "19r4y64dqyrq6k4706dnyhhw7fs24kpp3awak7whzss39dakpxk9"; }) 109 108 (fetchNuGet { pname = "System.Collections.Immutable"; version = "1.5.0"; sha256 = "1d5gjn5afnrf461jlxzawcvihz195gayqpcfbv6dd7pxa9ialn06"; }) 110 109 (fetchNuGet { pname = "System.ComponentModel.Annotations"; version = "4.5.0"; sha256 = "1jj6f6g87k0iwsgmg3xmnn67a14mq88np0l1ys5zkxhkvbc8976p"; }) 111 - (fetchNuGet { pname = "System.Console"; version = "4.3.0"; sha256 = "1flr7a9x920mr5cjsqmsy9wgnv3lvd0h1g521pdr1lkb2qycy7ay"; }) 112 110 (fetchNuGet { pname = "System.Diagnostics.Debug"; version = "4.3.0"; sha256 = "00yjlf19wjydyr6cfviaph3vsjzg3d5nvnya26i2fvfg53sknh3y"; }) 113 - (fetchNuGet { pname = "System.Diagnostics.Tracing"; version = "4.3.0"; sha256 = "1m3bx6c2s958qligl67q7grkwfz3w53hpy7nc97mh6f7j5k168c4"; }) 114 111 (fetchNuGet { pname = "System.Drawing.Common"; version = "4.5.0"; sha256 = "0knqa0zsm91nfr34br8gx5kjqq4v81zdhqkacvs2hzc8nqk0ddhc"; }) 115 112 (fetchNuGet { pname = "System.Dynamic.Runtime"; version = "4.3.0"; sha256 = "1d951hrvrpndk7insiag80qxjbf2y0y39y8h5hnq9612ws661glk"; }) 116 113 (fetchNuGet { pname = "System.Globalization"; version = "4.3.0"; sha256 = "1cp68vv683n6ic2zqh2s1fn4c2sd87g5hpp6l4d4nj4536jz98ki"; }) 117 - (fetchNuGet { pname = "System.IO"; version = "4.1.0"; sha256 = "1g0yb8p11vfd0kbkyzlfsbsp5z44lwsvyc0h3dpw6vqnbi035ajp"; }) 118 114 (fetchNuGet { pname = "System.IO"; version = "4.3.0"; sha256 = "05l9qdrzhm4s5dixmx68kxwif4l99ll5gqmh7rqgw554fx0agv5f"; }) 119 - (fetchNuGet { pname = "System.IO.FileSystem"; version = "4.0.1"; sha256 = "0kgfpw6w4djqra3w5crrg8xivbanh1w9dh3qapb28q060wb9flp1"; }) 120 - (fetchNuGet { pname = "System.IO.FileSystem.Primitives"; version = "4.0.1"; sha256 = "1s0mniajj3lvbyf7vfb5shp4ink5yibsx945k6lvxa96r8la1612"; }) 121 - (fetchNuGet { pname = "System.IO.FileSystem.Primitives"; version = "4.3.0"; sha256 = "0j6ndgglcf4brg2lz4wzsh1av1gh8xrzdsn9f0yznskhqn1xzj9c"; }) 122 115 (fetchNuGet { pname = "System.Linq"; version = "4.3.0"; sha256 = "1w0gmba695rbr80l1k2h4mrwzbzsyfl2z4klmpbsvsg5pm4a56s7"; }) 123 116 (fetchNuGet { pname = "System.Linq.Expressions"; version = "4.3.0"; sha256 = "0ky2nrcvh70rqq88m9a5yqabsl4fyd17bpr63iy2mbivjs2nyypv"; }) 124 117 (fetchNuGet { pname = "System.Memory"; version = "4.5.3"; sha256 = "0naqahm3wljxb5a911d37mwjqjdxv9l0b49p5dmfyijvni2ppy8a"; }) ··· 131 144 (fetchNuGet { pname = "System.Runtime"; version = "4.3.0"; sha256 = "066ixvgbf2c929kgknshcxqj6539ax7b9m570cp8n179cpfkapz7"; }) 132 145 (fetchNuGet { pname = "System.Runtime.CompilerServices.Unsafe"; version = "4.5.2"; sha256 = "1vz4275fjij8inf31np78hw50al8nqkngk04p3xv5n4fcmf1grgi"; }) 133 146 (fetchNuGet { pname = "System.Runtime.CompilerServices.Unsafe"; version = "4.6.0"; sha256 = "0xmzi2gpbmgyfr75p24rqqsba3cmrqgmcv45lsqp5amgrdwd0f0m"; }) 134 - (fetchNuGet { pname = "System.Runtime.CompilerServices.Unsafe"; version = "4.7.0"; sha256 = "16r6sn4czfjk8qhnz7bnqlyiaaszr0ihinb7mq9zzr1wba257r54"; }) 135 147 (fetchNuGet { pname = "System.Runtime.Extensions"; version = "4.3.0"; sha256 = "1ykp3dnhwvm48nap8q23893hagf665k0kn3cbgsqpwzbijdcgc60"; }) 136 - (fetchNuGet { pname = "System.Runtime.Handles"; version = "4.0.1"; sha256 = "1g0zrdi5508v49pfm3iii2hn6nm00bgvfpjq1zxknfjrxxa20r4g"; }) 137 148 (fetchNuGet { pname = "System.Runtime.Handles"; version = "4.3.0"; sha256 = "0sw2gfj2xr7sw9qjn0j3l9yw07x73lcs97p8xfc9w1x9h5g5m7i8"; }) 138 149 (fetchNuGet { pname = "System.Runtime.InteropServices"; version = "4.3.0"; sha256 = "00hywrn4g7hva1b2qri2s6rabzwgxnbpw9zfxmz28z09cpwwgh7j"; }) 139 - (fetchNuGet { pname = "System.Runtime.InteropServices.RuntimeInformation"; version = "4.3.0"; sha256 = "0q18r1sh4vn7bvqgd6dmqlw5v28flbpj349mkdish2vjyvmnb2ii"; }) 140 150 (fetchNuGet { pname = "System.Security.Principal.Windows"; version = "4.7.0"; sha256 = "1a56ls5a9sr3ya0nr086sdpa9qv0abv31dd6fp27maqa9zclqq5d"; }) 141 - (fetchNuGet { pname = "System.Text.Encoding"; version = "4.0.11"; sha256 = "1dyqv0hijg265dwxg6l7aiv74102d6xjiwplh2ar1ly6xfaa4iiw"; }) 142 151 (fetchNuGet { pname = "System.Text.Encoding"; version = "4.3.0"; sha256 = "1f04lkir4iladpp51sdgmis9dj4y8v08cka0mbmsy0frc9a4gjqr"; }) 143 152 (fetchNuGet { pname = "System.Text.Encoding.CodePages"; version = "4.5.1"; sha256 = "1z21qyfs6sg76rp68qdx0c9iy57naan89pg7p6i3qpj8kyzn921w"; }) 144 - (fetchNuGet { pname = "System.Text.Encoding.Extensions"; version = "4.0.11"; sha256 = "08nsfrpiwsg9x5ml4xyl3zyvjfdi4mvbqf93kjdh11j4fwkznizs"; }) 145 - (fetchNuGet { pname = "System.Text.Encoding.Extensions"; version = "4.3.0"; sha256 = "11q1y8hh5hrp5a3kw25cb6l00v5l5dvirkz8jr3sq00h1xgcgrxy"; }) 146 153 (fetchNuGet { pname = "System.Threading"; version = "4.3.0"; sha256 = "0rw9wfamvhayp5zh3j7p1yfmx9b5khbf4q50d8k5rk993rskfd34"; }) 147 - (fetchNuGet { pname = "System.Threading.Tasks"; version = "4.0.11"; sha256 = "0nr1r41rak82qfa5m0lhk9mp0k93bvfd7bbd9sdzwx9mb36g28p5"; }) 148 154 (fetchNuGet { pname = "System.Threading.Tasks"; version = "4.3.0"; sha256 = "134z3v9abw3a6jsw17xl3f6hqjpak5l682k2vz39spj4kmydg6k7"; }) 149 155 (fetchNuGet { pname = "System.Threading.Tasks.Extensions"; version = "4.5.3"; sha256 = "0g7r6hm572ax8v28axrdxz1gnsblg6kszq17g51pj14a5rn2af7i"; }) 150 - (fetchNuGet { pname = "System.Threading.Timer"; version = "4.0.1"; sha256 = "15n54f1f8nn3mjcjrlzdg6q3520571y012mx7v991x2fvp73lmg6"; }) 151 156 (fetchNuGet { pname = "System.ValueTuple"; version = "4.5.0"; sha256 = "00k8ja51d0f9wrq4vv5z2jhq8hy31kac2rg0rv06prylcybzl8cy"; }) 152 - (fetchNuGet { pname = "TerraFX.Interop.Windows"; version = "10.0.20348"; sha256 = "1ns39bkb0i6d92z3mk0hf72cli7k8x99c412329ngrivxivxxap8"; }) 157 + (fetchNuGet { pname = "TerraFX.Interop.Windows"; version = "10.0.22621.1"; sha256 = "0qbiaczssgd28f1kb1zz1g0fqsizv36qr2lbjmdrd1lfsyp2a2nj"; }) 153 158 (fetchNuGet { pname = "Tmds.DBus"; version = "0.9.0"; sha256 = "0vvx6sg8lxm23g5jvm5wh2gfs95mv85vd52lkq7d1b89bdczczf3"; }) 154 - (fetchNuGet { pname = "XamlNameReferenceGenerator"; version = "1.2.1"; sha256 = "1fkqvmq3b4lla6cyaacxpjjqxzcxb5wmz1zb8834pzc7mdjcx5jz"; }) 155 - (fetchNuGet { pname = "YamlDotNet"; version = "11.2.1"; sha256 = "0acd7k97nqzisyqql71m6l0b0lvkr612zaav42hw0y1qnp06jdi4"; }) 159 + (fetchNuGet { pname = "XamlNameReferenceGenerator"; version = "1.6.1"; sha256 = "0348gj9g5rl0pj2frx4vscj6602gfyn9ba3i1rmfcrxh9jwwa09m"; }) 160 + (fetchNuGet { pname = "YamlDotNet"; version = "13.0.2"; sha256 = "031pvc6idvjyrn1bfdn8zaljrndp5ch7fkcn82f06332gqs3n8k8"; }) 156 161 ]
+2 -2
pkgs/games/space-station-14-launcher/space-station-14-launcher.nix
··· 31 31 , gdk-pixbuf 32 32 }: 33 33 let 34 - version = "0.20.5"; 34 + version = "0.21.1"; 35 35 pname = "space-station-14-launcher"; 36 36 in 37 37 buildDotnetModule rec { ··· 44 44 owner = "space-wizards"; 45 45 repo = "SS14.Launcher"; 46 46 rev = "v${version}"; 47 - hash = "sha256-uonndoqDOgPtnSk5v0KyyR8BQ9neAH1ploEY/kKD0IQ="; 47 + hash = "sha256-uJ/47cQZsGgrExemWCWeSM/U6eW2HoKWHCsVE2KypVQ="; 48 48 fetchSubmodules = true; 49 49 }; 50 50
+4 -7
pkgs/os-specific/linux/waydroid/default.nix
··· 11 11 , iproute2 12 12 , iptables 13 13 , util-linux 14 - , which 15 14 , wrapGAppsHook 16 15 , xclip 17 16 , runtimeShell ··· 18 19 19 20 python3Packages.buildPythonApplication rec { 20 21 pname = "waydroid"; 21 - version = "1.3.4"; 22 + version = "1.4.1"; 22 23 format = "other"; 23 24 24 25 src = fetchFromGitHub { 25 26 owner = pname; 26 27 repo = pname; 27 28 rev = version; 28 - sha256 = "sha256-0GBob9BUwiE5cFGdK8AdwsTjTOdc+AIWqUGN/gFfOqI="; 29 + sha256 = "sha256-0AkNzMIumvgnVcLKX72E2+Eg54Y9j7tdIYPsroOTLWA="; 29 30 }; 30 31 31 32 buildInputs = [ ··· 38 39 ]; 39 40 40 41 propagatedBuildInputs = with python3Packages; [ 42 + dbus-python 41 43 gbinder-python 42 44 pyclip 43 45 pygobject3 ··· 63 63 64 64 wrapPythonProgramsIn $out/lib/waydroid/ "${lib.concatStringsSep " " [ 65 65 "$out" 66 + python3Packages.dbus-python 66 67 python3Packages.gbinder-python 67 68 python3Packages.pygobject3 68 69 python3Packages.pyclip ··· 71 70 kmod 72 71 lxc 73 72 util-linux 74 - which 75 73 xclip 76 74 ]}" 77 75 78 76 substituteInPlace $out/lib/waydroid/tools/helpers/*.py \ 79 77 --replace '"sh"' '"${runtimeShell}"' 80 - 81 - substituteInPlace $out/share/applications/*.desktop \ 82 - --replace "/usr" "$out" 83 78 ''; 84 79 85 80 meta = with lib; {
+3 -3
pkgs/servers/nosql/arangodb/default.nix
··· 1 1 { 2 - # gcc 11.2 suggested on 3.10.3. 2 + # gcc 11.2 suggested on 3.10.5.2. 3 3 # gcc 11.3.0 unsupported yet, investigate gcc support when upgrading 4 4 # See https://github.com/arangodb/arangodb/issues/17454 5 5 gcc10Stdenv ··· 32 32 33 33 gcc10Stdenv.mkDerivation rec { 34 34 pname = "arangodb"; 35 - version = "3.10.3"; 35 + version = "3.10.5.2"; 36 36 37 37 src = fetchFromGitHub { 38 38 repo = "arangodb"; 39 39 owner = "arangodb"; 40 40 rev = "v${version}"; 41 - sha256 = "sha256-Jp2rvapTe0CtyYfh1YLJ5eUngh8V+BCUQ/OgH3nE2Ro="; 41 + sha256 = "sha256-64iTxhG8qKTSrTlH/BWDJNnLf8VnaCteCKfQ9D2lGDQ="; 42 42 fetchSubmodules = true; 43 43 }; 44 44
+1 -1
pkgs/tools/audio/mpris-scrobbler/default.nix
··· 70 70 }; 71 71 72 72 meta = with lib; { 73 - description = "Minimalistic scrobbler for libre.fm & last.fm"; 73 + description = "Minimalistic scrobbler for ListenBrainz, libre.fm, & last.fm"; 74 74 homepage = "https://github.com/mariusor/mpris-scrobbler"; 75 75 license = licenses.mit; 76 76 maintainers = with maintainers; [ emantor ];
+2 -2
pkgs/tools/backup/pgbackrest/default.nix
··· 13 13 }: 14 14 stdenv.mkDerivation rec { 15 15 pname = "pgbackrest"; 16 - version = "2.45"; 16 + version = "2.46"; 17 17 18 18 src = fetchFromGitHub { 19 19 owner = "pgbackrest"; 20 20 repo = "pgbackrest"; 21 21 rev = "release/${version}"; 22 - sha256 = "sha256-wm7wNxxwRAmFG7ZsZMR8TXp+xVu673g6w95afLalnc8="; 22 + sha256 = "sha256-Jd49ZpG/QhX+ayk9Ld0FB8abemfxQV6KZZuSXmybZw4="; 23 23 }; 24 24 25 25 nativeBuildInputs = [ pkg-config ];
+3 -3
pkgs/tools/misc/fselect/default.nix
··· 2 2 3 3 rustPlatform.buildRustPackage rec { 4 4 pname = "fselect"; 5 - version = "0.8.2"; 5 + version = "0.8.3"; 6 6 7 7 src = fetchFromGitHub { 8 8 owner = "jhspetersson"; 9 9 repo = "fselect"; 10 10 rev = version; 11 - sha256 = "sha256-JhiNLlgnVIrecYNlestociTXHBxfUMTQHSzo3/ePXds="; 11 + sha256 = "sha256-f0fc+gj6t1PPdMekYzuZCy2WJrjssLzdsxFoBdFRKBM="; 12 12 }; 13 13 14 - cargoHash = "sha256-HOOxr5hBrenziai+TxatgXjMi8G3xqIM8OqdMeeKEgg="; 14 + cargoHash = "sha256-nYavH8D3dQsr9tKB7PFETGp+KgTm/1EhRtAdTqbwrzQ="; 15 15 16 16 nativeBuildInputs = [ installShellFiles ]; 17 17 buildInputs = lib.optional stdenv.isDarwin libiconv;
+3 -3
pkgs/tools/misc/steampipe/default.nix
··· 2 2 3 3 buildGoModule rec { 4 4 pname = "steampipe"; 5 - version = "0.19.5"; 5 + version = "0.20.2"; 6 6 7 7 src = fetchFromGitHub { 8 8 owner = "turbot"; 9 9 repo = "steampipe"; 10 10 rev = "v${version}"; 11 - sha256 = "sha256-eF6LlQTSCscReTHUZzFI/gR1E/pNs52m68gnJmKnfGk="; 11 + sha256 = "sha256-enjInsu1gaztdUr8z7GgBnL1pKnHoAtST4qGzQeBAhs="; 12 12 }; 13 13 14 - vendorHash = "sha256-XrEdaNLG46BwMEF/vhAk9+A6vH4mpbtH7vWXd01Y7ME="; 14 + vendorHash = "sha256-FWLEuSdhXSQJMd4PiiPTFC8aXkIlQ9LhL6/Dq7LkPPc="; 15 15 proxyVendor = true; 16 16 17 17 patchPhase = ''
+2 -2
pkgs/tools/misc/vtm/default.nix
··· 6 6 7 7 stdenv.mkDerivation rec { 8 8 pname = "vtm"; 9 - version = "0.9.9h"; 9 + version = "0.9.9i"; 10 10 11 11 src = fetchFromGitHub { 12 12 owner = "netxs-group"; 13 13 repo = "vtm"; 14 14 rev = "v${version}"; 15 - sha256 = "sha256-6JyOoEJoJ/y6pXfhQV4nei2NAOCClScFDscwqNPKZu8="; 15 + sha256 = "sha256-pkso0Bpb+0Zua3MIXXEbaJDl/oENa51157mXTJXJC/A="; 16 16 }; 17 17 18 18 nativeBuildInputs = [ cmake ];
+6 -6
pkgs/tools/networking/discord-sh/default.nix
··· 1 - { lib, stdenvNoCC, fetchFromGitHub, makeWrapper, curl, jq, coreutils }: 1 + { lib, stdenvNoCC, fetchFromGitHub, makeWrapper, curl, jq, coreutils, file }: 2 2 3 - stdenvNoCC.mkDerivation { 3 + stdenvNoCC.mkDerivation rec { 4 4 pname = "discord-sh"; 5 - version = "unstable-2022-05-19"; 5 + version = "2.0.0"; 6 6 7 7 src = fetchFromGitHub { 8 8 owner = "ChaoticWeg"; 9 9 repo = "discord.sh"; 10 - rev = "6aaea548f88eb48b7adeef824fbddac1c4749447"; 11 - sha256 = "sha256-RoPhn/Ot4ID1nEbZEz1bd2iq8g7mU2e7kwNRvZOD/pc="; 10 + rev = "v${version}"; 11 + sha256 = "sha256-ZOGhwR9xFzkm+q0Gm8mSXZ9toXG4xGPNwBQMCVanCbY="; 12 12 }; 13 13 14 14 # ignore Makefile by disabling buildPhase. Upstream Makefile tries to download ··· 36 36 runHook preInstall 37 37 install -Dm555 discord.sh $out/bin/discord.sh 38 38 wrapProgram $out/bin/discord.sh \ 39 - --set PATH "${lib.makeBinPath [ curl jq coreutils ]}" 39 + --set PATH "${lib.makeBinPath [ curl jq coreutils file ]}" 40 40 runHook postInstall 41 41 ''; 42 42
+2 -2
pkgs/tools/networking/ofono/default.nix
··· 12 12 13 13 stdenv.mkDerivation rec { 14 14 pname = "ofono"; 15 - version = "2.0"; 15 + version = "2.1"; 16 16 17 17 outputs = [ "out" "dev" ]; 18 18 19 19 src = fetchgit { 20 20 url = "https://git.kernel.org/pub/scm/network/ofono/ofono.git"; 21 21 rev = version; 22 - sha256 = "sha256-T8rfReruvHGQCN9IDGIrFCoNjFKKMnUGPKzxo2HTZFQ="; 22 + sha256 = "sha256-GxQfh/ps5oM9G6B1EVgnjo8LqHD1hMqdnju1PCQq3kA="; 23 23 }; 24 24 25 25 patches = [
+3 -3
pkgs/tools/system/consul-template/default.nix
··· 2 2 3 3 buildGoModule rec { 4 4 pname = "consul-template"; 5 - version = "0.31.0"; 5 + version = "0.32.0"; 6 6 7 7 src = fetchFromGitHub { 8 8 owner = "hashicorp"; 9 9 repo = "consul-template"; 10 10 rev = "v${version}"; 11 - hash = "sha256-6B6qijC10WOyGQ9159DK0+WSE19fXbwQc023pkg1iqQ="; 11 + hash = "sha256-jpUDNtcJBcxlHt4GEVZLGT11QBgLHgOR3Y2TT7GROls="; 12 12 }; 13 13 14 - vendorHash = "sha256-wNZliD6mcJT+/U/1jiwdYubYe0Oa+YR6vSLo5vs0bDk="; 14 + vendorHash = "sha256-DV+sZkTKsTygO/LOi6z0vSUgavyqYKB4F2fMxuFFdvw="; 15 15 16 16 # consul-template tests depend on vault and consul services running to 17 17 # execute tests so we skip them here
+2 -6
pkgs/tools/text/epub2txt2/default.nix
··· 11 11 sha256 = "sha256-zzcig5XNh9TqUHginsfoC47WrKavqi6k6ezir+OOMJk="; 12 12 }; 13 13 14 - preConfigure = '' 15 - sed -i Makefile -e 's!DESTDIR)!out)!' 16 - sed -i Makefile -e 's!/usr!!' 17 - ''; 18 - 19 - makeFlags = [ "CC:=$(CC)" ]; 14 + makeFlags = [ "CC:=$(CC)" "PREFIX:=$(out)" ]; 20 15 21 16 meta = { 22 17 description = "A simple command-line utility for Linux, for extracting text from EPUB documents."; ··· 19 24 license = lib.licenses.gpl3Only; 20 25 platforms = lib.platforms.unix; 21 26 maintainers = [ lib.maintainers.leonid ]; 27 + mainProgram = "epub2txt"; 22 28 }; 23 29 }
+2 -2
pkgs/tools/wayland/wlrctl/default.nix
··· 2 2 3 3 stdenv.mkDerivation rec { 4 4 pname = "wlrctl"; 5 - version = "0.2.1"; 5 + version = "0.2.2"; 6 6 7 7 src = fetchFromSourcehut { 8 8 owner = "~brocellous"; 9 9 repo = "wlrctl"; 10 10 rev = "v${version}"; 11 - sha256 = "039cxc82k7x473n6d65jray90rj35qmfdmr390zy0c7ic7vn4b78"; 11 + sha256 = "sha256-5mDcCSHbZMbfXbksAO4YhELznKpanse7jtbtfr09HL0="; 12 12 }; 13 13 14 14 strictDeps = true;
+2
pkgs/top-level/python-packages.nix
··· 6299 6299 6300 6300 mmcv = callPackage ../development/python-modules/mmcv { }; 6301 6301 6302 + mmengine = callPackage ../development/python-modules/mmengine { }; 6303 + 6302 6304 mmh3 = callPackage ../development/python-modules/mmh3 { }; 6303 6305 6304 6306 mmpython = callPackage ../development/python-modules/mmpython { };