diff --git a/.github/workflows/pesterTests.yaml b/.github/workflows/pesterTests.yaml new file mode 100644 index 0000000000000..5b6944587a06d --- /dev/null +++ b/.github/workflows/pesterTests.yaml @@ -0,0 +1,51 @@ +name: Pester Tests + +on: + pull_request: + branches: + - master + paths: + - "**/*.ps1" + - "**/*.psm1" + - "**/*.psd1" + push: + paths: + - "**/*.ps1" + - "**/*.psm1" + - "**/*.psd1" + +permissions: + contents: read # Needed to check out the code + pull-requests: read # Needed to read pull request details + +jobs: + test: + runs-on: windows-latest + steps: + - name: Checkout code + uses: actions/checkout@v3 + - name: Install Pester + run: | + # Pester 5.x is already included in Windows runners, but ensure latest version + Install-Module -Name Pester -Force -SkipPublisherCheck -Scope CurrentUser -MinimumVersion 5.0.0 + - name: Run Pester Tests + run: | + # Find and run all Pester test files + $testFiles = Get-ChildItem -Recurse -Filter *.Tests.ps1 + if ($testFiles) { + Write-Host "Found $($testFiles.Count) test file(s)" + foreach ($testFile in $testFiles) { + Write-Host "Running tests in: $($testFile.FullName)" + } + + # Run all tests + $config = New-PesterConfiguration + $config.Run.Path = $testFiles.FullName + $config.Run.Exit = $true + $config.Output.Verbosity = 'Detailed' + $config.TestResult.Enabled = $true + + Invoke-Pester -Configuration $config + } else { + Write-Host "No Pester test files found." + } diff --git a/.github/workflows/scriptAnalyzer.yaml b/.github/workflows/scriptAnalyzer.yaml index d2d15f4e1cc4b..8cb2ea488c8eb 100644 --- a/.github/workflows/scriptAnalyzer.yaml +++ b/.github/workflows/scriptAnalyzer.yaml @@ -7,10 +7,12 @@ on: paths: - "**/*.ps1" - "**/*.psm1" + - "**/*.psd1" push: paths: - "**/*.ps1" - "**/*.psm1" + - "**/*.psd1" permissions: contents: read # Needed to check out the code diff --git a/Tools/Modules/YamlCreate/YamlCreate.InstallerDetection/README.md b/Tools/Modules/YamlCreate/YamlCreate.InstallerDetection/README.md new file mode 100644 index 0000000000000..c5b82d3f02d7d --- /dev/null +++ b/Tools/Modules/YamlCreate/YamlCreate.InstallerDetection/README.md @@ -0,0 +1,94 @@ +# YamlCreate.InstallerDetection Tests + +This directory contains Pester tests for the YamlCreate.InstallerDetection PowerShell module. + +## Overview + +The test suite validates the functionality of the installer detection module, which provides functions to: +- Parse PE file structures +- Detect various installer types (ZIP, MSIX, MSI, WIX, Nullsoft, Inno, Burn) +- Identify font files +- Resolve installer types from file paths + +## Running the Tests + +### Prerequisites + +- PowerShell 7.0 or later +- Pester 5.x (included with PowerShell 7+) + +### Run All Tests + +From the module directory, run: + +```powershell +Invoke-Pester -Path ./YamlCreate.InstallerDetection.Tests.ps1 +``` + +### Run Tests with Detailed Output + +For more detailed test output: + +```powershell +Invoke-Pester -Path ./YamlCreate.InstallerDetection.Tests.ps1 -Output Detailed +``` + +### Run Tests with Code Coverage + +To see code coverage metrics: + +```powershell +Invoke-Pester -Path ./YamlCreate.InstallerDetection.Tests.ps1 -CodeCoverage ./YamlCreate.InstallerDetection.psm1 +``` + +## Test Structure + +The test suite is organized into the following sections: + +### Module Tests +- Module import validation +- Exported functions verification + +### Function Tests +- **Get-OffsetBytes**: Tests for byte array extraction with various offsets and endianness +- **Get-PESectionTable**: Tests for PE file parsing +- **Test-IsZip**: Tests for ZIP file detection +- **Test-IsMsix**: Tests for MSIX/APPX detection +- **Test-IsMsi**: Tests for MSI installer detection +- **Test-IsWix**: Tests for WIX installer detection +- **Test-IsNullsoft**: Tests for Nullsoft installer detection +- **Test-IsInno**: Tests for Inno Setup installer detection +- **Test-IsBurn**: Tests for Burn installer detection +- **Test-IsFont**: Tests for font file detection (TTF, OTF, TTC) +- **Resolve-InstallerType**: Tests for the main installer type resolution function + +## Known Limitations + +Some tests are skipped due to complexity or external dependencies: + +1. **ZIP Archive Tests**: Tests that require complete valid ZIP archives are skipped as they would need complex ZIP structure generation +2. **PE File Tests**: Some PE-related tests are skipped when they would require reading non-existent files +3. **External Dependencies**: The module relies on external commands (`Get-MSITable`, `Get-MSIProperty`, `Get-Win32ModuleResource`) that are stubbed in the test environment + +## Test Coverage + +Current test coverage includes: +- 32 passing tests +- 3 skipped tests (require complex setup) +- Covers all 11 exported functions +- Tests both positive and negative scenarios +- Validates edge cases and error handling + +## Contributing + +When adding new functions to the module: +1. Add corresponding tests to `YamlCreate.InstallerDetection.Tests.ps1` +2. Follow the existing test structure (Describe → Context → It blocks) +3. Use descriptive test names that explain what is being tested +4. Include both positive and negative test cases +5. Clean up any temporary files created during tests + +## Additional Resources + +- [Pester Documentation](https://pester.dev/) +- [PowerShell Testing Best Practices](https://pester.dev/docs/usage/test-file-structure) diff --git a/Tools/Modules/YamlCreate/YamlCreate.InstallerDetection/YamlCreate.InstallerDetection.Tests.ps1 b/Tools/Modules/YamlCreate/YamlCreate.InstallerDetection/YamlCreate.InstallerDetection.Tests.ps1 new file mode 100644 index 0000000000000..eb95354aefb96 --- /dev/null +++ b/Tools/Modules/YamlCreate/YamlCreate.InstallerDetection/YamlCreate.InstallerDetection.Tests.ps1 @@ -0,0 +1,388 @@ +BeforeAll { + # Import the module to test + $ModulePath = Split-Path -Parent $PSCommandPath + Import-Module (Join-Path $ModulePath 'YamlCreate.InstallerDetection.psd1') -Force + + # Create stub functions for external dependencies that may not be available + # These are typically provided by external modules like MSI or Windows SDK tools + $Script:AddedGetMSITable = $false + if (-not (Get-Command Get-MSITable -ErrorAction SilentlyContinue)) { + function Global:Get-MSITable { + param([string]$Path) + return $null + } + $Script:AddedGetMSITable = $true + } + + $Script:AddedGetMSIProperty = $false + if (-not (Get-Command Get-MSIProperty -ErrorAction SilentlyContinue)) { + function Global:Get-MSIProperty { + param([string]$Path, [string]$Property) + return $null + } + $Script:AddedGetMSIProperty = $true + } + + $Script:AddedGetWin32ModuleResource = $false + if (-not (Get-Command Get-Win32ModuleResource -ErrorAction SilentlyContinue)) { + function Global:Get-Win32ModuleResource { + param([string]$Path, [switch]$DontLoadResource) + return @() + } + $Script:AddedGetWin32ModuleResource = $true + } +} + +AfterAll { + # Clean up stub functions that were created in BeforeAll to prevent them from persisting in the session + if ($Script:AddedGetMSITable) { Remove-Item Function:\Get-MSITable -ErrorAction SilentlyContinue } + if ($Script:AddedGetMSIProperty) { Remove-Item Function:\Get-MSIProperty -ErrorAction SilentlyContinue } + if ($Script:AddedGetWin32ModuleResource) { Remove-Item Function:\Get-Win32ModuleResource -ErrorAction SilentlyContinue } +} + +Describe 'YamlCreate.InstallerDetection Module' { + Context 'Module Import' { + It 'Should import the module successfully' { + Get-Module 'YamlCreate.InstallerDetection' | Should -Not -BeNullOrEmpty + } + + It 'Should export all expected functions' { + $ExportedFunctions = (Get-Module 'YamlCreate.InstallerDetection').ExportedFunctions.Keys + $ExpectedFunctions = @( + 'Get-OffsetBytes' + 'Get-PESectionTable' + 'Test-IsZip' + 'Test-IsMsix' + 'Test-IsMsi' + 'Test-IsWix' + 'Test-IsNullsoft' + 'Test-IsInno' + 'Test-IsBurn' + 'Test-IsFont' + 'Resolve-InstallerType' + ) + + foreach ($Function in $ExpectedFunctions) { + $ExportedFunctions | Should -Contain $Function + } + } + } +} + +Describe 'Get-OffsetBytes' { + Context 'Valid input' { + It 'Should extract bytes at the correct offset without little endian' { + $ByteArray = [byte[]](0x01, 0x02, 0x03, 0x04, 0x05, 0x06, 0x07, 0x08) + $Result = Get-OffsetBytes -ByteArray $ByteArray -Offset 2 -Length 3 + $Result | Should -Be @(0x03, 0x04, 0x05) + } + + It 'Should extract bytes with little endian ordering' { + $ByteArray = [byte[]](0x01, 0x02, 0x03, 0x04, 0x05, 0x06, 0x07, 0x08) + $Result = Get-OffsetBytes -ByteArray $ByteArray -Offset 2 -Length 3 -LittleEndian $true + $Result | Should -Be @(0x05, 0x04, 0x03) + } + + It 'Should extract a single byte' { + $ByteArray = [byte[]](0x01, 0x02, 0x03, 0x04) + $Result = Get-OffsetBytes -ByteArray $ByteArray -Offset 1 -Length 1 + $Result | Should -Be @(0x02) + } + + It 'Should extract bytes from the start of array' { + $ByteArray = [byte[]](0x0A, 0x0B, 0x0C, 0x0D) + $Result = Get-OffsetBytes -ByteArray $ByteArray -Offset 0 -Length 2 + $Result | Should -Be @(0x0A, 0x0B) + } + + It 'Should extract bytes to the end of array' { + $ByteArray = [byte[]](0x01, 0x02, 0x03, 0x04) + $Result = Get-OffsetBytes -ByteArray $ByteArray -Offset 2 -Length 2 + $Result | Should -Be @(0x03, 0x04) + } + } + + Context 'Edge cases' { + It 'Should return empty array when offset exceeds array length' { + $ByteArray = [byte[]](0x01, 0x02, 0x03, 0x04) + $Result = Get-OffsetBytes -ByteArray $ByteArray -Offset 10 -Length 2 + $Result | Should -BeNullOrEmpty + } + } +} + +Describe 'Get-PESectionTable' { + Context 'Invalid files' { + It 'Should return null for non-existent file' -Skip { + # Skipping as it attempts to read a non-existent file which causes errors + $Result = Get-PESectionTable -Path 'C:\NonExistent\File.exe' + $Result | Should -BeNullOrEmpty + } + + It 'Should return null for a text file' { + $TempFile = New-TemporaryFile + Set-Content -Path $TempFile.FullName -Value 'This is not a PE file' + $Result = Get-PESectionTable -Path $TempFile.FullName + $Result | Should -BeNullOrEmpty + Remove-Item $TempFile.FullName -Force + } + + It 'Should return null for file without MZ signature' { + $TempFile = New-TemporaryFile + [byte[]](0x00, 0x00, 0x00, 0x00) * 16 | Set-Content -Path $TempFile.FullName -AsByteStream + $Result = Get-PESectionTable -Path $TempFile.FullName + $Result | Should -BeNullOrEmpty + Remove-Item $TempFile.FullName -Force + } + } +} + +Describe 'Test-IsZip' { + Context 'Valid ZIP files' { + It 'Should return true for a valid ZIP file' { + $TempFile = New-TemporaryFile + # ZIP file signature: PK\x03\x04 + $ZipHeader = [byte[]](0x50, 0x4B, 0x03, 0x04) + ([byte[]](0x00) * 100) + Set-Content -Path $TempFile.FullName -Value $ZipHeader -AsByteStream + $Result = Test-IsZip -Path $TempFile.FullName + $Result | Should -Be $true + Remove-Item $TempFile.FullName -Force + } + } + + Context 'Invalid ZIP files' { + It 'Should return false for a non-ZIP file' { + $TempFile = New-TemporaryFile + Set-Content -Path $TempFile.FullName -Value 'This is not a ZIP file' + $Result = Test-IsZip -Path $TempFile.FullName + $Result | Should -Be $false + Remove-Item $TempFile.FullName -Force + } + + It 'Should return false for a file with incorrect header' { + $TempFile = New-TemporaryFile + [byte[]](0x00, 0x01, 0x02, 0x03) | Set-Content -Path $TempFile.FullName -AsByteStream + $Result = Test-IsZip -Path $TempFile.FullName + $Result | Should -Be $false + Remove-Item $TempFile.FullName -Force + } + } +} + +Describe 'Test-IsMsix' { + Context 'Non-ZIP files' { + It 'Should return false for a non-ZIP file' { + $TempFile = New-TemporaryFile + Set-Content -Path $TempFile.FullName -Value 'This is not a ZIP file' + $Result = Test-IsMsix -Path $TempFile.FullName + $Result | Should -Be $false + Remove-Item $TempFile.FullName -Force + } + } + + Context 'ZIP files without MSIX indicators' { + It 'Should return false for a regular ZIP file without MSIX indicators' -Skip { + # This test requires creating a complete ZIP archive + # Skipped as it requires significant setup + } + } +} + +Describe 'Test-IsMsi' { + Context 'Non-MSI files' { + It 'Should return false for a text file' { + $TempFile = New-TemporaryFile + Set-Content -Path $TempFile.FullName -Value 'This is not an MSI file' + $Result = Test-IsMsi -Path $TempFile.FullName + $Result | Should -Be $false + Remove-Item $TempFile.FullName -Force + } + + It 'Should return false for a random binary file' { + $TempFile = New-TemporaryFile + [byte[]](0x00, 0x01, 0x02, 0x03) * 25 | Set-Content -Path $TempFile.FullName -AsByteStream + $Result = Test-IsMsi -Path $TempFile.FullName + $Result | Should -Be $false + Remove-Item $TempFile.FullName -Force + } + } +} + +Describe 'Test-IsWix' { + Context 'Non-MSI files' { + It 'Should return false for a text file' { + $TempFile = New-TemporaryFile + Set-Content -Path $TempFile.FullName -Value 'This is not a WIX file' + $Result = Test-IsWix -Path $TempFile.FullName + $Result | Should -Be $false + Remove-Item $TempFile.FullName -Force + } + } +} + +Describe 'Test-IsNullsoft' { + Context 'Non-PE files' { + It 'Should return false for a text file' { + $TempFile = New-TemporaryFile + Set-Content -Path $TempFile.FullName -Value 'This is not a PE file' + $Result = Test-IsNullsoft -Path $TempFile.FullName + $Result | Should -Be $false + Remove-Item $TempFile.FullName -Force + } + + It 'Should return false for a file without PE structure' { + $TempFile = New-TemporaryFile + [byte[]](0x00, 0x01, 0x02, 0x03) * 25 | Set-Content -Path $TempFile.FullName -AsByteStream + $Result = Test-IsNullsoft -Path $TempFile.FullName + $Result | Should -Be $false + Remove-Item $TempFile.FullName -Force + } + } +} + +Describe 'Test-IsInno' { + Context 'Non-PE files' { + It 'Should return false for a text file' { + $TempFile = New-TemporaryFile + Set-Content -Path $TempFile.FullName -Value 'This is not a PE file' + $Result = Test-IsInno -Path $TempFile.FullName + $Result | Should -Be $false + Remove-Item $TempFile.FullName -Force + } + } +} + +Describe 'Test-IsBurn' { + Context 'Non-PE files' { + It 'Should return false for a text file' { + $TempFile = New-TemporaryFile + Set-Content -Path $TempFile.FullName -Value 'This is not a PE file' + $Result = Test-IsBurn -Path $TempFile.FullName + $Result | Should -Be $false + Remove-Item $TempFile.FullName -Force + } + + It 'Should return false for a random binary file' { + $TempFile = New-TemporaryFile + [byte[]](0x00, 0x01, 0x02, 0x03) * 25 | Set-Content -Path $TempFile.FullName -AsByteStream + $Result = Test-IsBurn -Path $TempFile.FullName + $Result | Should -Be $false + Remove-Item $TempFile.FullName -Force + } + } +} + +Describe 'Test-IsFont' { + Context 'Valid font files' { + It 'Should return true for a TrueType font (TTF)' { + $TempFile = New-TemporaryFile + # TTF signature: 0x00, 0x01, 0x00, 0x00 + $TTFHeader = [byte[]](0x00, 0x01, 0x00, 0x00) + ([byte[]](0x00) * 100) + Set-Content -Path $TempFile.FullName -Value $TTFHeader -AsByteStream + $Result = Test-IsFont -Path $TempFile.FullName + $Result | Should -Be $true + Remove-Item $TempFile.FullName -Force + } + + It 'Should return true for an OpenType font (OTF)' { + $TempFile = New-TemporaryFile + # OTF signature: OTTO (0x4F, 0x54, 0x54, 0x4F) + $OTFHeader = [byte[]](0x4F, 0x54, 0x54, 0x4F) + ([byte[]](0x00) * 100) + Set-Content -Path $TempFile.FullName -Value $OTFHeader -AsByteStream + $Result = Test-IsFont -Path $TempFile.FullName + $Result | Should -Be $true + Remove-Item $TempFile.FullName -Force + } + + It 'Should return true for a TrueType Collection (TTC)' { + $TempFile = New-TemporaryFile + # TTC signature: ttcf (0x74, 0x74, 0x63, 0x66) + $TTCHeader = [byte[]](0x74, 0x74, 0x63, 0x66) + ([byte[]](0x00) * 100) + Set-Content -Path $TempFile.FullName -Value $TTCHeader -AsByteStream + $Result = Test-IsFont -Path $TempFile.FullName + $Result | Should -Be $true + Remove-Item $TempFile.FullName -Force + } + } + + Context 'Non-font files' { + It 'Should return false for a text file' { + $TempFile = New-TemporaryFile + Set-Content -Path $TempFile.FullName -Value 'This is not a font file' + $Result = Test-IsFont -Path $TempFile.FullName + $Result | Should -Be $false + Remove-Item $TempFile.FullName -Force + } + + It 'Should return false for a file with incorrect header' { + $TempFile = New-TemporaryFile + [byte[]](0xFF, 0xFF, 0xFF, 0xFF) | Set-Content -Path $TempFile.FullName -AsByteStream + $Result = Test-IsFont -Path $TempFile.FullName + $Result | Should -Be $false + Remove-Item $TempFile.FullName -Force + } + } +} + +Describe 'Resolve-InstallerType' { + Context 'Font files' { + It 'Should identify TrueType font files' { + $TempFile = New-TemporaryFile + $TTFHeader = [byte[]](0x00, 0x01, 0x00, 0x00) + ([byte[]](0x00) * 100) + Set-Content -Path $TempFile.FullName -Value $TTFHeader -AsByteStream + $Result = Resolve-InstallerType -Path $TempFile.FullName + $Result | Should -Be 'font' + Remove-Item $TempFile.FullName -Force + } + + It 'Should identify OpenType font files' { + $TempFile = New-TemporaryFile + $OTFHeader = [byte[]](0x4F, 0x54, 0x54, 0x4F) + ([byte[]](0x00) * 100) + Set-Content -Path $TempFile.FullName -Value $OTFHeader -AsByteStream + $Result = Resolve-InstallerType -Path $TempFile.FullName + $Result | Should -Be 'font' + Remove-Item $TempFile.FullName -Force + } + + It 'Should identify TrueType Collection files' { + $TempFile = New-TemporaryFile + $TTCHeader = [byte[]](0x74, 0x74, 0x63, 0x66) + ([byte[]](0x00) * 100) + Set-Content -Path $TempFile.FullName -Value $TTCHeader -AsByteStream + $Result = Resolve-InstallerType -Path $TempFile.FullName + $Result | Should -Be 'font' + Remove-Item $TempFile.FullName -Force + } + } + + Context 'ZIP files' { + It 'Should identify basic ZIP files (or MSIX based on internal structure)' -Skip { + # This test requires a complete valid ZIP structure which Test-IsMsix will try to extract + # Skipping as creating a proper ZIP archive is complex and Test-IsMsix will fail on malformed ZIPs + $TempFile = New-TemporaryFile + $ZipHeader = [byte[]](0x50, 0x4B, 0x03, 0x04) + ([byte[]](0x00) * 100) + Set-Content -Path $TempFile.FullName -Value $ZipHeader -AsByteStream + $Result = Resolve-InstallerType -Path $TempFile.FullName + # Could be 'zip' or 'msix' depending on whether Test-IsMsix can successfully extract and check + $Result | Should -BeIn @('zip', 'msix', $null) + Remove-Item $TempFile.FullName -Force -ErrorAction SilentlyContinue + } + } + + Context 'Unknown files' { + It 'Should return null for unknown file types' { + $TempFile = New-TemporaryFile + Set-Content -Path $TempFile.FullName -Value 'This is an unknown file type' + $Result = Resolve-InstallerType -Path $TempFile.FullName + $Result | Should -BeNullOrEmpty + Remove-Item $TempFile.FullName -Force + } + + It 'Should return null for a random binary file' { + $TempFile = New-TemporaryFile + [byte[]](0xFF, 0xAA, 0xBB, 0xCC) * 25 | Set-Content -Path $TempFile.FullName -AsByteStream + $Result = Resolve-InstallerType -Path $TempFile.FullName + $Result | Should -BeNullOrEmpty + Remove-Item $TempFile.FullName -Force + } + } +} diff --git a/manifests/1/123/123pan/3.1.3.0/123.123pan.locale.en-US.yaml b/manifests/1/123/123pan/3.1.3.0/123.123pan.locale.en-US.yaml index 07ccc2c37990a..40b33898f1c8d 100644 --- a/manifests/1/123/123pan/3.1.3.0/123.123pan.locale.en-US.yaml +++ b/manifests/1/123/123pan/3.1.3.0/123.123pan.locale.en-US.yaml @@ -14,7 +14,7 @@ PackageUrl: https://www.123pan.com/ License: Freeware LicenseUrl: https://www.123pan.com/UserAgreement Copyright: Copyright (c) 2026 123pan -ShortDescription: Secure and trusted cloud storage content distribution platform +ShortDescription: Secure and trusted cloud storage content distribution platform. Description: 123pan is a cloud storage service product with large space, unlimited speed, no ads, and focus on large file transfer and distribution. Tags: - backup @@ -27,6 +27,8 @@ Tags: - share - sync - upload +- prc +- china Documentations: - DocumentLabel: FAQ DocumentUrl: https://www.123pan.com/faq diff --git a/manifests/3/360/360SE/16.1.2000.64/360.360SE.locale.en-US.yaml b/manifests/3/360/360SE/16.1.2000.64/360.360SE.locale.en-US.yaml index ea7a6e434a7c7..0cf4541cdfa4c 100644 --- a/manifests/3/360/360SE/16.1.2000.64/360.360SE.locale.en-US.yaml +++ b/manifests/3/360/360SE/16.1.2000.64/360.360SE.locale.en-US.yaml @@ -15,7 +15,7 @@ License: Freeware LicenseUrl: https://www.360.cn/xukexieyi.html#liulanqi Copyright: (C) 360.cn All Rights Reserved. CopyrightUrl: https://www.360.cn/about/banquanshengming.html -ShortDescription: A browser by Qihoo 360 with safe in mind +ShortDescription: A browser by Qihoo 360 with safety in mind. Description: 360 Safe Browser (360SE) is a powerful, easy-to-use, fast, and safe browser suitable for online shopping. It uses advanced malicious URL blocking technology which can automatically block malicious URLs such as hijackings, frauds, phishing bank sites, etc. Tags: - browser @@ -24,6 +24,8 @@ Tags: - internet-explorer - web - webpage +- prc +- china ReleaseNotesUrl: https://bbs.360.cn/thread-16123090-1-1.html Documentations: - DocumentLabel: FAQ diff --git a/manifests/3/360/NamiAI/1.3.1563.64/360.NamiAI.locale.en-US.yaml b/manifests/3/360/NamiAI/1.3.1563.64/360.NamiAI.locale.en-US.yaml index 7b8823a254c4d..98140a495f607 100644 --- a/manifests/3/360/NamiAI/1.3.1563.64/360.NamiAI.locale.en-US.yaml +++ b/manifests/3/360/NamiAI/1.3.1563.64/360.NamiAI.locale.en-US.yaml @@ -1,16 +1,19 @@ -# Created with YamlCreate.ps1 Dumplings Mod # yaml-language-server: $schema=https://aka.ms/winget-manifest.locale.1.12.0.schema.json PackageIdentifier: 360.NamiAI PackageVersion: 1.3.1563.64 PackageLocale: en-US -Author: Beijing Qihoo Technology Co., Ltd. +Author: Beijing Qihoo Technology Co., Ltd. License: Freeware -ShortDescription: Next-gen super search, delivering expert-level results instantly +ShortDescription: Next-gen super search, delivering expert-level results instantly. Tags: - ai - chatbot - large-language-model - llm +- artificial-intelligence +- artificialintelligence +- prc +- china ManifestType: locale ManifestVersion: 1.12.0 diff --git a/manifests/7/7zip/7zip/Alpha/exe/.validation b/manifests/7/7zip/7zip/Alpha/exe/.validation deleted file mode 100644 index f627f81107372..0000000000000 --- a/manifests/7/7zip/7zip/Alpha/exe/.validation +++ /dev/null @@ -1 +0,0 @@ -{"ValidationVersion":"1.0.0","Waivers":[{"WaiverId":"09cd32cb-5fe7-4b0d-89d4-872d596d0ef6","TestPlan":"Validation-Unapproved-URL","PackagePath":"manifests/7/7zip/7zip/Alpha/exe/21.03 beta","CommitId":"73ee7e6d1b80f60b347ce90a8134b0f09d5ff843"}]} \ No newline at end of file diff --git a/manifests/7/7zip/7zip/Alpha/msi/.validation b/manifests/7/7zip/7zip/Alpha/msi/.validation deleted file mode 100644 index 4c5b9a2e2111c..0000000000000 --- a/manifests/7/7zip/7zip/Alpha/msi/.validation +++ /dev/null @@ -1 +0,0 @@ -{"ValidationVersion":"1.0.0","Waivers":[{"WaiverId":"ad716924-53dd-47e8-a923-5dc21c4838c0","TestPlan":"Validation-Unapproved-URL","PackagePath":"manifests/7/7zip/7zip/Alpha/msi/21.02.00.0","CommitId":"c40da304ceac9821e5f5a02a7bba7588b437becf"}]} \ No newline at end of file diff --git a/manifests/b/Baidu/BaiduNetdisk/8.3.8/Baidu.BaiduNetdisk.locale.en-US.yaml b/manifests/b/Baidu/BaiduNetdisk/8.3.8/Baidu.BaiduNetdisk.locale.en-US.yaml index 8d30fa91e4812..172b617b03729 100644 --- a/manifests/b/Baidu/BaiduNetdisk/8.3.8/Baidu.BaiduNetdisk.locale.en-US.yaml +++ b/manifests/b/Baidu/BaiduNetdisk/8.3.8/Baidu.BaiduNetdisk.locale.en-US.yaml @@ -6,7 +6,7 @@ PackageVersion: 8.3.8 PackageLocale: en-US Author: Beijing Duyou Technology Co., Ltd. License: Proprietary -ShortDescription: Personal cloud service product by Baidu +ShortDescription: Personal cloud service product by Baidu. Description: Baidu Netdisk is a convenient and easy-to-use cloud storage product that is serving more than 700 million users, which has mass storage and several self-hosted data centers, supports backup, sharing, viewing and processing multiple types of files, and protects users' data security under two top international security certifications ISO27001 and ISO27018. It would be your best choice if you want to back up your data, free up your phone's space, share files with others or operate files online. Tags: - backup @@ -19,5 +19,7 @@ Tags: - share - sync - upload +- prc +- china ManifestType: locale ManifestVersion: 1.12.0 diff --git a/manifests/b/Billfish/Billfish/3.1.5.12/Billfish.Billfish.locale.en-US.yaml b/manifests/b/Billfish/Billfish/3.1.5.12/Billfish.Billfish.locale.en-US.yaml index ed9135c25d78a..05a8b7e7f8005 100644 --- a/manifests/b/Billfish/Billfish/3.1.5.12/Billfish.Billfish.locale.en-US.yaml +++ b/manifests/b/Billfish/Billfish/3.1.5.12/Billfish.Billfish.locale.en-US.yaml @@ -15,7 +15,7 @@ License: Freeware LicenseUrl: https://www.billfish.cn/user-agreement Copyright: Copyright 2024 © Billfish Co., Ltd. # CopyrightUrl: -ShortDescription: A reference image management tool for the future +ShortDescription: A reference image management tool for the future. Description: |- Billfish is a reference image management tool for designers to efficiently manage all kinds of reference images, supporting a variety of image formats including PNG, JPG, PSD, AI, GIF, SVG, EPS, CDR, etc. Billfish allows you to manage reference images quickly and easily so you can spend more time focusing on the design. @@ -35,6 +35,8 @@ Tags: - reference - resource - tag +- prc +- china # ReleaseNotes: ReleaseNotesUrl: https://www.billfish.cn/help/gengxinrizhi # PurchaseUrl: diff --git a/manifests/b/behringer/XAIREdit/.validation b/manifests/b/behringer/XAIREdit/.validation deleted file mode 100644 index 79d338021620a..0000000000000 --- a/manifests/b/behringer/XAIREdit/.validation +++ /dev/null @@ -1 +0,0 @@ -{"ValidationVersion":"1.0.0","Waivers":[{"WaiverId":"5f9f4ad9-1a6e-425a-85d0-fc9684be7c03","TestPlan":"Validation-Domain","PackagePath":"manifests/b/behringer/XAIREdit/1.7","CommitId":"b46f1f6993590a0f2d54017221a049ddab9ac584"}]} \ No newline at end of file diff --git a/manifests/b/blacktop/ipsw/3.1.670/blacktop.ipsw.installer.yaml b/manifests/b/blacktop/ipsw/3.1.670/blacktop.ipsw.installer.yaml new file mode 100644 index 0000000000000..304de59987fb4 --- /dev/null +++ b/manifests/b/blacktop/ipsw/3.1.670/blacktop.ipsw.installer.yaml @@ -0,0 +1,26 @@ +# This file was generated by GoReleaser. DO NOT EDIT. +# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.12.0.schema.json +PackageIdentifier: blacktop.ipsw +PackageVersion: 3.1.670 +InstallerLocale: en-US +InstallerType: zip +ReleaseDate: "2026-04-11" +Installers: + - Architecture: arm64 + NestedInstallerType: portable + NestedInstallerFiles: + - RelativeFilePath: ipsw.exe + PortableCommandAlias: ipsw + InstallerUrl: https://github.com/blacktop/ipsw/releases/download/v3.1.670/ipsw_3.1.670_windows_arm64.zip + InstallerSha256: d105e562544538ab8b7b5e0c53b184fbf26d40dd698ad411f6aede8ed51cd4b4 + UpgradeBehavior: uninstallPrevious + - Architecture: x64 + NestedInstallerType: portable + NestedInstallerFiles: + - RelativeFilePath: ipsw.exe + PortableCommandAlias: ipsw + InstallerUrl: https://github.com/blacktop/ipsw/releases/download/v3.1.670/ipsw_3.1.670_windows_x86_64.zip + InstallerSha256: d32598842182d22174b34576aec633e461576625ca742011c4de323422f70fe9 + UpgradeBehavior: uninstallPrevious +ManifestType: installer +ManifestVersion: 1.12.0 diff --git a/manifests/b/blacktop/ipsw/3.1.670/blacktop.ipsw.locale.en-US.yaml b/manifests/b/blacktop/ipsw/3.1.670/blacktop.ipsw.locale.en-US.yaml new file mode 100644 index 0000000000000..6d64aa7f4063e --- /dev/null +++ b/manifests/b/blacktop/ipsw/3.1.670/blacktop.ipsw.locale.en-US.yaml @@ -0,0 +1,13 @@ +# This file was generated by GoReleaser. DO NOT EDIT. +# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.12.0.schema.json +PackageIdentifier: blacktop.ipsw +PackageVersion: 3.1.670 +PackageLocale: en-US +Publisher: blacktop +PackageName: ipsw +PackageUrl: https://github.com/blacktop/ipsw +License: MIT +ShortDescription: iOS/macOS Research Swiss Army Knife +Moniker: ipsw +ManifestType: defaultLocale +ManifestVersion: 1.12.0 diff --git a/manifests/t/the-code-fixer-23/go-toolkit/0.11.5-alpha/the-code-fixer-23.go-toolkit.yaml b/manifests/b/blacktop/ipsw/3.1.670/blacktop.ipsw.yaml similarity index 73% rename from manifests/t/the-code-fixer-23/go-toolkit/0.11.5-alpha/the-code-fixer-23.go-toolkit.yaml rename to manifests/b/blacktop/ipsw/3.1.670/blacktop.ipsw.yaml index 2d7435edd47f0..6117071a6a669 100644 --- a/manifests/t/the-code-fixer-23/go-toolkit/0.11.5-alpha/the-code-fixer-23.go-toolkit.yaml +++ b/manifests/b/blacktop/ipsw/3.1.670/blacktop.ipsw.yaml @@ -1,7 +1,7 @@ # This file was generated by GoReleaser. DO NOT EDIT. # yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.12.0.schema.json -PackageIdentifier: the-code-fixer-23.go-toolkit -PackageVersion: 0.11.5-alpha +PackageIdentifier: blacktop.ipsw +PackageVersion: 3.1.670 DefaultLocale: en-US ManifestType: version ManifestVersion: 1.12.0 diff --git a/manifests/b/blacktop/ipswd/3.1.670/blacktop.ipswd.installer.yaml b/manifests/b/blacktop/ipswd/3.1.670/blacktop.ipswd.installer.yaml new file mode 100644 index 0000000000000..5f234bacaa1d1 --- /dev/null +++ b/manifests/b/blacktop/ipswd/3.1.670/blacktop.ipswd.installer.yaml @@ -0,0 +1,26 @@ +# This file was generated by GoReleaser. DO NOT EDIT. +# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.12.0.schema.json +PackageIdentifier: blacktop.ipswd +PackageVersion: 3.1.670 +InstallerLocale: en-US +InstallerType: zip +ReleaseDate: "2026-04-11" +Installers: + - Architecture: arm64 + NestedInstallerType: portable + NestedInstallerFiles: + - RelativeFilePath: ipswd.exe + PortableCommandAlias: ipswd + InstallerUrl: https://github.com/blacktop/ipsw/releases/download/v3.1.670/ipswd_3.1.670_windows_arm64.zip + InstallerSha256: b762a2797f3add0eecf869f064e9356ace57d292651431fc6fb828eb6083fe52 + UpgradeBehavior: uninstallPrevious + - Architecture: x64 + NestedInstallerType: portable + NestedInstallerFiles: + - RelativeFilePath: ipswd.exe + PortableCommandAlias: ipswd + InstallerUrl: https://github.com/blacktop/ipsw/releases/download/v3.1.670/ipswd_3.1.670_windows_x86_64.zip + InstallerSha256: b9cd3060cc04029548fab12e90423a29cde416db21d554a20a8941fbe5512966 + UpgradeBehavior: uninstallPrevious +ManifestType: installer +ManifestVersion: 1.12.0 diff --git a/manifests/b/blacktop/ipswd/3.1.670/blacktop.ipswd.locale.en-US.yaml b/manifests/b/blacktop/ipswd/3.1.670/blacktop.ipswd.locale.en-US.yaml new file mode 100644 index 0000000000000..1299757657b2a --- /dev/null +++ b/manifests/b/blacktop/ipswd/3.1.670/blacktop.ipswd.locale.en-US.yaml @@ -0,0 +1,13 @@ +# This file was generated by GoReleaser. DO NOT EDIT. +# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.12.0.schema.json +PackageIdentifier: blacktop.ipswd +PackageVersion: 3.1.670 +PackageLocale: en-US +Publisher: blacktop +PackageName: ipswd +PackageUrl: https://github.com/blacktop/ipsw +License: MIT +ShortDescription: ipsw - Daemon +Moniker: ipswd +ManifestType: defaultLocale +ManifestVersion: 1.12.0 diff --git a/manifests/b/blacktop/ipswd/3.1.670/blacktop.ipswd.yaml b/manifests/b/blacktop/ipswd/3.1.670/blacktop.ipswd.yaml new file mode 100644 index 0000000000000..eaa578460007d --- /dev/null +++ b/manifests/b/blacktop/ipswd/3.1.670/blacktop.ipswd.yaml @@ -0,0 +1,7 @@ +# This file was generated by GoReleaser. DO NOT EDIT. +# yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.12.0.schema.json +PackageIdentifier: blacktop.ipswd +PackageVersion: 3.1.670 +DefaultLocale: en-US +ManifestType: version +ManifestVersion: 1.12.0 diff --git a/manifests/b/blueberrycongee/TermCanvas/0.27.5/blueberrycongee.TermCanvas.installer.yaml b/manifests/b/blueberrycongee/TermCanvas/0.27.5/blueberrycongee.TermCanvas.installer.yaml new file mode 100644 index 0000000000000..b7a478553113c --- /dev/null +++ b/manifests/b/blueberrycongee/TermCanvas/0.27.5/blueberrycongee.TermCanvas.installer.yaml @@ -0,0 +1,26 @@ +# Created with YamlCreate.ps1 Dumplings Mod +# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.12.0.schema.json + +PackageIdentifier: blueberrycongee.TermCanvas +PackageVersion: 0.27.5 +InstallerType: nullsoft +InstallerSwitches: + Upgrade: --updated +UpgradeBehavior: install +ProductCode: 75eb9126-42bc-5b65-8c9c-967fc346dcf8 +ReleaseDate: 2026-04-11 +Installers: +- Architecture: x64 + Scope: user + InstallerUrl: https://github.com/blueberrycongee/termcanvas/releases/download/v0.27.5/TermCanvas-Setup-0.27.5.exe + InstallerSha256: D71C077767838226F93F125E46F5E7785309A84CEB7F1CA974B30E00089E3B13 + InstallerSwitches: + Custom: /currentuser +- Architecture: x64 + Scope: machine + InstallerUrl: https://github.com/blueberrycongee/termcanvas/releases/download/v0.27.5/TermCanvas-Setup-0.27.5.exe + InstallerSha256: D71C077767838226F93F125E46F5E7785309A84CEB7F1CA974B30E00089E3B13 + InstallerSwitches: + Custom: /allusers +ManifestType: installer +ManifestVersion: 1.12.0 diff --git a/manifests/b/blueberrycongee/TermCanvas/0.27.5/blueberrycongee.TermCanvas.locale.en-US.yaml b/manifests/b/blueberrycongee/TermCanvas/0.27.5/blueberrycongee.TermCanvas.locale.en-US.yaml new file mode 100644 index 0000000000000..e4b8809e803ea --- /dev/null +++ b/manifests/b/blueberrycongee/TermCanvas/0.27.5/blueberrycongee.TermCanvas.locale.en-US.yaml @@ -0,0 +1,35 @@ +# Created with YamlCreate.ps1 Dumplings Mod +# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.12.0.schema.json + +PackageIdentifier: blueberrycongee.TermCanvas +PackageVersion: 0.27.5 +PackageLocale: en-US +Publisher: blueberrycongee +PublisherUrl: https://github.com/blueberrycongee +PublisherSupportUrl: https://github.com/blueberrycongee/termcanvas/issues +PackageName: TermCanvas +PackageUrl: https://github.com/blueberrycongee/termcanvas +License: MIT +LicenseUrl: https://github.com/blueberrycongee/termcanvas/blob/HEAD/LICENSE +Copyright: Copyright (c) 2026 TermCanvas Contributors +ShortDescription: An infinite canvas desktop app for visually managing terminals +Description: |- + TermCanvas spreads all your terminals across an infinite spatial canvas — no more tabs, no more split panes. Drag them around, zoom in to focus, zoom out to see the big picture. + It organizes everything in a Project → Worktree → Terminal hierarchy that mirrors how you actually use git. Add a project, and TermCanvas auto-detects its worktrees. Create a new worktree from the terminal, and it appears on the canvas instantly. +Tags: +- agent +- agentic +- ai +- chatbot +- claude-code +- code +- codex +- coding +- gemini-cli +- large-language-model +- llm +- programming +ReleaseNotes: '- Clicking a worktree label on the canvas now also focuses that worktree, so a follow-up cmd+t creates the new terminal inside the worktree you just clicked instead of whichever one happened to be focused before. The label click handler now pairs panToWorktree with focusWorktreeInScene, matching the convention already used by Hub and cmd+] / cmd+[ worktree-level navigation. The LOD project-label fallback (extreme zoom-out) also focuses the first populated worktree, so click-then-cmd+t works at every scale' +ReleaseNotesUrl: https://github.com/blueberrycongee/termcanvas/releases/tag/v0.27.5 +ManifestType: defaultLocale +ManifestVersion: 1.12.0 diff --git a/manifests/b/blueberrycongee/TermCanvas/0.27.5/blueberrycongee.TermCanvas.locale.zh-CN.yaml b/manifests/b/blueberrycongee/TermCanvas/0.27.5/blueberrycongee.TermCanvas.locale.zh-CN.yaml new file mode 100644 index 0000000000000..457454f995941 --- /dev/null +++ b/manifests/b/blueberrycongee/TermCanvas/0.27.5/blueberrycongee.TermCanvas.locale.zh-CN.yaml @@ -0,0 +1,24 @@ +# Created with YamlCreate.ps1 Dumplings Mod +# yaml-language-server: $schema=https://aka.ms/winget-manifest.locale.1.12.0.schema.json + +PackageIdentifier: blueberrycongee.TermCanvas +PackageVersion: 0.27.5 +PackageLocale: zh-CN +ShortDescription: 一款用于可视化管理终端的无限画布桌面应用 +Description: |- + TermCanvas 可将你所有的终端窗口排布在无限空间画布上——无需再使用标签页,也不必拆分窗格。你可以随意拖动终端,放大即可聚焦单个窗口,缩小就能查看全局布局。 + 它采用「项目→工作树→终端」的层级结构管理所有内容,完全贴合你实际使用 Git 的习惯。添加项目后,TermCanvas 会自动检测其包含的工作树;你在终端中创建新工作树时,它也会立刻显示在画布上。 +Tags: +- claude-code +- codex +- gemini-cli +- 人工智能 +- 代码 +- 大语言模型 +- 智能体 +- 编程 +- 聊天机器人 +- 自主智能 +ReleaseNotes: '- 在画布上点击 worktree 标签时,现在会同时把键盘焦点切到该 worktree,这样紧接着按 cmd+t 新建的终端会落在你刚刚点击的 worktree 里,而不是上一次焦点所在的 worktree。label 的 click handler 现在会同时调 panToWorktree 和 focusWorktreeInScene,与 Hub 以及 cmd+] / cmd+[ worktree 级导航的现有约定一致。极远缩放下点击 LOD 模式的项目级合并标签也会聚焦该项目的第一个有内容的 worktree,因此在任何缩放比例下"点了再 cmd+t"都能落到正确位置' +ManifestType: locale +ManifestVersion: 1.12.0 diff --git a/manifests/b/blueberrycongee/TermCanvas/0.27.5/blueberrycongee.TermCanvas.yaml b/manifests/b/blueberrycongee/TermCanvas/0.27.5/blueberrycongee.TermCanvas.yaml new file mode 100644 index 0000000000000..68d83d749c875 --- /dev/null +++ b/manifests/b/blueberrycongee/TermCanvas/0.27.5/blueberrycongee.TermCanvas.yaml @@ -0,0 +1,8 @@ +# Created with YamlCreate.ps1 Dumplings Mod +# yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.12.0.schema.json + +PackageIdentifier: blueberrycongee.TermCanvas +PackageVersion: 0.27.5 +DefaultLocale: en-US +ManifestType: version +ManifestVersion: 1.12.0 diff --git a/manifests/b/bodaay/hfdownloader/3.0.4/bodaay.hfdownloader.installer.yaml b/manifests/b/bodaay/hfdownloader/3.0.4/bodaay.hfdownloader.installer.yaml new file mode 100644 index 0000000000000..f9e17c5dccb12 --- /dev/null +++ b/manifests/b/bodaay/hfdownloader/3.0.4/bodaay.hfdownloader.installer.yaml @@ -0,0 +1,15 @@ +# Created with YamlCreate.ps1 Dumplings Mod +# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.12.0.schema.json + +PackageIdentifier: bodaay.hfdownloader +PackageVersion: 3.0.4 +InstallerType: portable +Commands: +- hfdownloader +ReleaseDate: 2026-04-11 +Installers: +- Architecture: x64 + InstallerUrl: https://github.com/bodaay/HuggingFaceModelDownloader/releases/download/v3.0.4/hfdownloader_windows_amd64_v3.0.4.exe + InstallerSha256: B6CA755E68B5EC21041A542E75A146A47D2964C519998505CC4CD212496D2D34 +ManifestType: installer +ManifestVersion: 1.12.0 diff --git a/manifests/b/bodaay/hfdownloader/3.0.4/bodaay.hfdownloader.locale.en-US.yaml b/manifests/b/bodaay/hfdownloader/3.0.4/bodaay.hfdownloader.locale.en-US.yaml new file mode 100644 index 0000000000000..f0226032e7200 --- /dev/null +++ b/manifests/b/bodaay/hfdownloader/3.0.4/bodaay.hfdownloader.locale.en-US.yaml @@ -0,0 +1,50 @@ +# Created with YamlCreate.ps1 Dumplings Mod +# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.12.0.schema.json + +PackageIdentifier: bodaay.hfdownloader +PackageVersion: 3.0.4 +PackageLocale: en-US +Publisher: bodaay +PublisherUrl: https://github.com/bodaay +PublisherSupportUrl: https://github.com/bodaay/HuggingFaceModelDownloader/issues +PackageName: HuggingFace Model Downloader +PackageUrl: https://github.com/bodaay/HuggingFaceModelDownloader +License: Apache-2.0 +LicenseUrl: https://github.com/bodaay/HuggingFaceModelDownloader/blob/HEAD/LICENSE +ShortDescription: Simple go utility to download HuggingFace Models and Datasets +Description: The HuggingFace Model Downloader is a utility tool for downloading models and datasets from the HuggingFace website. It offers multithreaded downloading for LFS files and ensures the integrity of downloaded models with SHA256 checksum verification. +Moniker: hfdownloader +Tags: +- huggingface +ReleaseNotes: |- + What's Changed in v3.0.4 + Bug-fix release tackling eight open issues reported against v3.0.3. Focused on download correctness, webui responsiveness, storage flexibility, and analyzer coverage for new quant formats. Every fix ships with regression tests; go test -race ./... is now fully green across every package. + Bug Fixes + - Resumable downloads actually resume now (#70) — downloadSingle and each downloadMultipart part goroutine now open .part files with O_RDWR|O_CREATE (no truncate), stat the existing size, and issue Range: bytes=pos-end requests from that offset. Interrupted downloads resume correctly on rerun, and within-process retries after a flaky-connection cut no longer lose bytes. Previously every Ctrl+C silently re-fetched from zero and single-file downloads literally had no resume code path at all. + - Unsloth Dynamic quant variants correctly labeled (#72) — the GGUF quant regex now supports Q{2..8}_K_XL / _XXL suffixes and IQ1_S / IQ1_M. Previously on repos like unsloth/Qwen3-30B-A3B-GGUF the regex silently collapsed six UD-Q*_K_XL files into Q2_K..Q8_K labels that collided with the real plain-K quants, and missed the two IQ1 files entirely. All 25 GGUF files in that repo now label correctly. Added quality/description map entries for Q2_K_L, Q2..8_K_XL, IQ1_S/M, IQ2_M, IQ3_XXS. + - Multimodal GGUF repos auto-bundle the vision encoder (#76) — analyzeGGUF now partitions .gguf files into LLM quants vs mmproj vision encoders. A vision_encoder SelectableItem is emitted as Recommended by default, so the recommended CLI command for a multimodal repo becomes e.g. -F q4_k_m,mmproj-f16 for unsloth/gemma-3-4b-it-GGUF. Downloading a single quant now pulls in the matching projector automatically, matching LM Studio's behavior. + - Progress no longer oscillates on slow/flaky connections (#75) — the multipart progress ticker now stops cleanly before assembly via an explicit done channel + WaitGroup, and an explicit final full-size reading is emitted after all parts complete. Root cause: the ticker kept stating part files while assembly was deleting them, emitting downloaded=0 events that made the UI appear stuck at 2.4% ↔ 2.5% for hours on slow links. Combined with the #70 fix above, flaky downloads of multi-GB files now converge cleanly. + - Pause no longer claims the file is 100% done — fixed a regression in the #75 tail path where downloadMultipart on cancellation would fall past its errCh drain (cancelled goroutines return silently via sleepCtx without pushing errors) and emit a bogus downloaded == total event followed by assembly over an incomplete part set — corrupting the final file and deleting the very partial bytes the next resume was supposed to continue from. Now bails out with ctx.Err() immediately after the ticker shutdown. Regression test in TestDownloadMultipart_CancelMidStreamDoesNotClaim100. + - Web UI no longer floods the browser with updates (#62) — two-layer fix: + - Server-side 250ms per-job WebSocket broadcast coalescer in front of BroadcastJob. Progress events arriving inside the window collapse to a single flush of the latest state; terminal status changes (completed/failed/cancelled/paused) bypass the gate so pause/cancel transitions still feel instant. + - Frontend renderJobs no longer does container.innerHTML = jobs.map(...).join('') on every tick. Per-job DOM elements are cached and updated in place — progress bar width and stats text change, but the card node, the action buttons, and their event listeners stay stable. Hover states persist and Pause/Cancel buttons are clickable during an active download. + - Dismissed jobs stay dismissed across refresh (#68) — new POST /api/jobs/{id}/dismiss endpoint permanently removes a terminal-state job from the manager. Frontend dismissJob now calls the server before removing from local state, so page reloads and WebSocket reconnects don't repopulate it. Attempts to dismiss queued or running jobs return 409. The primary per-file-deletion ask in the same issue is tracked separately. + - JobManager returns snapshots — data race fixed — CreateJob, GetJob, ListJobs, and the internal WebSocket broadcast path all now return/forward cloned Job snapshots via a new cloneJobLocked helper. Previously the HTTP JSON encoder and the WS broadcaster would read Job fields while runJob was mutating them on a separate goroutine. go test -race ./... is now fully green across every package for the first time. + Features + - --local-dir CLI flag (#71, #73) — new flag mirroring huggingface-cli download --local-dir. Downloads real files into the chosen directory instead of the HF cache's blobs+symlinks layout. Right choice for feeding weights to llama.cpp / ollama, Windows users without Developer Mode, and NFS/SMB/USB transfers. Equivalent to the existing --legacy -o form — both spellings are permanent and interchangeable, and --legacy is no longer marked for removal. + - Installer defaults to ~/.local/bin — no more sudo prompt (#69) — the one-liner bash <(curl -sSL https://g.bodaay.io/hfd) install now picks a user-local install path in this order: + 1. ~/.local/bin if already in PATH + 2. ~/bin if already in PATH + 3. /usr/local/bin if writable + 4. Fallback to ~/.local/bin with a printed export PATH= line + Explicit targets like install /usr/local/bin still work and still use sudo where needed. Root users still get /usr/local/bin by default. + Documentation + - README now has a prominent Storage Modes section documenting both HF-cache-default and flat-file --local-dir modes as first-class, permanent options with when-to-use-which guidance. + - docs/CLI.md and docs/V3_FEATURES.md updated to reflect the un-deprecated --legacy / --output flags and the new --local-dir spelling. + Test Infrastructure + - TestAPI_Health no longer pins to a stale hardcoded version string. + - TestJobManager_CreateJob no longer races its TempDir cleanup against in-flight runJob goroutines — new JobManager.WaitAll(timeout) lets the test block on actual goroutine exit before cleanup runs. + Full Changelog: https://github.com/bodaay/HuggingFaceModelDownloader/compare/v3.0.3...v3.0.4 +ReleaseNotesUrl: https://github.com/bodaay/HuggingFaceModelDownloader/releases/tag/v3.0.4 +ManifestType: defaultLocale +ManifestVersion: 1.12.0 diff --git a/manifests/b/bodaay/hfdownloader/3.0.4/bodaay.hfdownloader.locale.zh-CN.yaml b/manifests/b/bodaay/hfdownloader/3.0.4/bodaay.hfdownloader.locale.zh-CN.yaml new file mode 100644 index 0000000000000..fda13fd0c9bcd --- /dev/null +++ b/manifests/b/bodaay/hfdownloader/3.0.4/bodaay.hfdownloader.locale.zh-CN.yaml @@ -0,0 +1,13 @@ +# Created with YamlCreate.ps1 Dumplings Mod +# yaml-language-server: $schema=https://aka.ms/winget-manifest.locale.1.12.0.schema.json + +PackageIdentifier: bodaay.hfdownloader +PackageVersion: 3.0.4 +PackageLocale: zh-CN +ShortDescription: 下载 HuggingFace 模型和数据集的简单 Go 工具 +Description: HuggingFace 模型下载器是一款从 HuggingFace 网站下载模型和数据集的实用工具,为 LFS 文件提供多线程下载,并通过 SHA256 校验和验证确保下载的模型是完整的。 +Tags: +- 抱抱脸 +ReleaseNotesUrl: https://github.com/bodaay/HuggingFaceModelDownloader/releases/tag/v3.0.4 +ManifestType: locale +ManifestVersion: 1.12.0 diff --git a/manifests/b/bodaay/hfdownloader/3.0.4/bodaay.hfdownloader.yaml b/manifests/b/bodaay/hfdownloader/3.0.4/bodaay.hfdownloader.yaml new file mode 100644 index 0000000000000..7fa57aefece5e --- /dev/null +++ b/manifests/b/bodaay/hfdownloader/3.0.4/bodaay.hfdownloader.yaml @@ -0,0 +1,8 @@ +# Created with YamlCreate.ps1 Dumplings Mod +# yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.12.0.schema.json + +PackageIdentifier: bodaay.hfdownloader +PackageVersion: 3.0.4 +DefaultLocale: en-US +ManifestType: version +ManifestVersion: 1.12.0 diff --git a/manifests/b/bshuzhang/PPLink/16.0.0/bshuzhang.PPLink.locale.en-US.yaml b/manifests/b/bshuzhang/PPLink/16.0.0/bshuzhang.PPLink.locale.en-US.yaml index 6fe4e466a4037..f52e35de5c8f7 100644 --- a/manifests/b/bshuzhang/PPLink/16.0.0/bshuzhang.PPLink.locale.en-US.yaml +++ b/manifests/b/bshuzhang/PPLink/16.0.0/bshuzhang.PPLink.locale.en-US.yaml @@ -11,7 +11,7 @@ PackageName: pp直连 PackageUrl: https://www.ppzhilian.com/ License: Proprietary Copyright: Copyright © 2019 - 2026 -ShortDescription: Point-to-point direct connection, private communication +ShortDescription: Point-to-point direct connection, private communication. Description: Private, convenient, and high-speed file transfer, real-time sharing, and remote control between various devices Tags: - clipboard @@ -24,5 +24,7 @@ Tags: - send - share - transfer +- prc +- china ManifestType: defaultLocale ManifestVersion: 1.12.0 diff --git a/manifests/c/CopyTrans/CopyTransHEIC/.validation b/manifests/c/CopyTrans/CopyTransHEIC/.validation deleted file mode 100644 index c9582725637b4..0000000000000 --- a/manifests/c/CopyTrans/CopyTransHEIC/.validation +++ /dev/null @@ -1 +0,0 @@ -{"ValidationVersion":"1.0.0","Waivers":[{"WaiverId":"f2eeba34-4513-4e8a-bf90-69ff83d055de","TestPlan":"Validation-Domain","PackagePath":"manifests/c/CopyTrans/CopyTransHEIC/2.0.2.7","CommitId":"87d2aa173f78fbed6579d72dfeb7d915e3d00337"}],"StandardInstallationVerification":{"Executables":[]}} \ No newline at end of file diff --git a/manifests/c/CrossPlusA/Balabolka/2.15.0.913/CrossPlusA.Balabolka.installer.yaml b/manifests/c/CrossPlusA/Balabolka/2.15.0.914/CrossPlusA.Balabolka.installer.yaml similarity index 80% rename from manifests/c/CrossPlusA/Balabolka/2.15.0.913/CrossPlusA.Balabolka.installer.yaml rename to manifests/c/CrossPlusA/Balabolka/2.15.0.914/CrossPlusA.Balabolka.installer.yaml index 2b1576fcd7142..e348f396b44eb 100644 --- a/manifests/c/CrossPlusA/Balabolka/2.15.0.913/CrossPlusA.Balabolka.installer.yaml +++ b/manifests/c/CrossPlusA/Balabolka/2.15.0.914/CrossPlusA.Balabolka.installer.yaml @@ -2,19 +2,19 @@ # yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.12.0.schema.json PackageIdentifier: CrossPlusA.Balabolka -PackageVersion: 2.15.0.913 +PackageVersion: 2.15.0.914 InstallerType: zip FileExtensions: - bxt - bxz -ReleaseDate: 2026-02-21 +ReleaseDate: 2026-04-11 Installers: - Architecture: x86 NestedInstallerType: exe NestedInstallerFiles: - RelativeFilePath: setup.exe InstallerUrl: https://www.cross-plus-a.com/balabolka.zip - InstallerSha256: 90C0192BBB9EF6E0E15790C2834F692170E53DEAC785FD64AC72CCE6E8FA0DA9 + InstallerSha256: 00525A670F42425BD29AF16F84288E6C6B49DCCB45AD99AFD5D27C14DCF8A9F1 InstallModes: - interactive - silent @@ -29,7 +29,7 @@ Installers: NestedInstallerFiles: - RelativeFilePath: Balabolka\balabolka.exe InstallerUrl: https://www.cross-plus-a.com/balabolka_portable.zip - InstallerSha256: 63A81E40B37E83BCB905F768A622BEE4BD2449DA7ABB9750D3CA0E2424BFC6F2 + InstallerSha256: F35C44A23A35AA51E9115F78B96D4BB322BF837885696A32ACAC4E56ED67C36F UpgradeBehavior: uninstallPrevious ArchiveBinariesDependOnPath: true ManifestType: installer diff --git a/manifests/c/CrossPlusA/Balabolka/2.15.0.913/CrossPlusA.Balabolka.locale.en-US.yaml b/manifests/c/CrossPlusA/Balabolka/2.15.0.914/CrossPlusA.Balabolka.locale.en-US.yaml similarity index 85% rename from manifests/c/CrossPlusA/Balabolka/2.15.0.913/CrossPlusA.Balabolka.locale.en-US.yaml rename to manifests/c/CrossPlusA/Balabolka/2.15.0.914/CrossPlusA.Balabolka.locale.en-US.yaml index 92cddf6198847..8ccf6f2c8e8a0 100644 --- a/manifests/c/CrossPlusA/Balabolka/2.15.0.913/CrossPlusA.Balabolka.locale.en-US.yaml +++ b/manifests/c/CrossPlusA/Balabolka/2.15.0.914/CrossPlusA.Balabolka.locale.en-US.yaml @@ -2,7 +2,7 @@ # yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.12.0.schema.json PackageIdentifier: CrossPlusA.Balabolka -PackageVersion: 2.15.0.913 +PackageVersion: 2.15.0.914 PackageLocale: en-US Publisher: Ilya Morozov PublisherUrl: https://www.cross-plus-a.com/ @@ -20,9 +20,10 @@ Tags: - text-to-speech - tts ReleaseNotes: |- - [-] Fixed the using of Amazon Polly. - [*] Updated the voice list for Microsoft Azure. - [*] Resources for Chinese (Simplified), Spanish and Vietnamese languages were updated (thanks to Anan, Fernando Gregoire and Nguyễn Ninh Hoàng). + [-] Fixed the bug that occurred when processing universal tags after pausing and resuming read aloud. + [-] Fixed the speech rate when switching between voices using tags. + [*] Updated the voice list for Yandex SpeechKit. + [*] Resources for French language were updated (thanks to Michel Such). ReleaseNotesUrl: https://www.cross-plus-a.com/changelog.txt Documentations: - DocumentLabel: FAQ diff --git a/manifests/c/CrossPlusA/Balabolka/2.15.0.913/CrossPlusA.Balabolka.locale.zh-CN.yaml b/manifests/c/CrossPlusA/Balabolka/2.15.0.914/CrossPlusA.Balabolka.locale.zh-CN.yaml similarity index 98% rename from manifests/c/CrossPlusA/Balabolka/2.15.0.913/CrossPlusA.Balabolka.locale.zh-CN.yaml rename to manifests/c/CrossPlusA/Balabolka/2.15.0.914/CrossPlusA.Balabolka.locale.zh-CN.yaml index 2eb22a542f4bd..f2a7fd7807417 100644 --- a/manifests/c/CrossPlusA/Balabolka/2.15.0.913/CrossPlusA.Balabolka.locale.zh-CN.yaml +++ b/manifests/c/CrossPlusA/Balabolka/2.15.0.914/CrossPlusA.Balabolka.locale.zh-CN.yaml @@ -2,7 +2,7 @@ # yaml-language-server: $schema=https://aka.ms/winget-manifest.locale.1.12.0.schema.json PackageIdentifier: CrossPlusA.Balabolka -PackageVersion: 2.15.0.913 +PackageVersion: 2.15.0.914 PackageLocale: zh-CN License: 免费软件 ShortDescription: 文本转语音(TTS)程序 diff --git a/manifests/c/CrossPlusA/Balabolka/2.15.0.913/CrossPlusA.Balabolka.yaml b/manifests/c/CrossPlusA/Balabolka/2.15.0.914/CrossPlusA.Balabolka.yaml similarity index 89% rename from manifests/c/CrossPlusA/Balabolka/2.15.0.913/CrossPlusA.Balabolka.yaml rename to manifests/c/CrossPlusA/Balabolka/2.15.0.914/CrossPlusA.Balabolka.yaml index 693d3423a48e8..f5de86432d596 100644 --- a/manifests/c/CrossPlusA/Balabolka/2.15.0.913/CrossPlusA.Balabolka.yaml +++ b/manifests/c/CrossPlusA/Balabolka/2.15.0.914/CrossPlusA.Balabolka.yaml @@ -2,7 +2,7 @@ # yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.12.0.schema.json PackageIdentifier: CrossPlusA.Balabolka -PackageVersion: 2.15.0.913 +PackageVersion: 2.15.0.914 DefaultLocale: en-US ManifestType: version ManifestVersion: 1.12.0 diff --git a/manifests/d/DiegoFernandes/jsdesign/.validation b/manifests/d/DiegoFernandes/jsdesign/.validation deleted file mode 100644 index b493a0c71735a..0000000000000 --- a/manifests/d/DiegoFernandes/jsdesign/.validation +++ /dev/null @@ -1 +0,0 @@ -{"ValidationVersion":"1.0.0","Waivers":[{"WaiverId":"31e0c78d-aba3-4771-901d-65af20e25be5","TestPlan":"Validation-Domain","PackagePath":"manifests/d/DiegoFernandes/jsdesign/1.0.5","CommitId":"1513f09a8eb58f4658d9b781073c06f8cb023243"}]} \ No newline at end of file diff --git a/manifests/d/Discloud/CLI/0.12.1/Discloud.CLI.installer.yaml b/manifests/d/Discloud/CLI/0.12.1/Discloud.CLI.installer.yaml new file mode 100644 index 0000000000000..398c01a6feb57 --- /dev/null +++ b/manifests/d/Discloud/CLI/0.12.1/Discloud.CLI.installer.yaml @@ -0,0 +1,16 @@ +# Created using wingetcreate 1.12.8.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.12.0.schema.json + +PackageIdentifier: Discloud.CLI +PackageVersion: 0.12.1 +InstallerType: inno +Installers: +- Architecture: x64 + InstallerUrl: https://github.com/discloud/cli-dart/releases/download/0.12.1/discloud-cli-x64-setup.exe + InstallerSha256: D55511F1BCB5E082864FC332B84A87481C6DE382B068634CDDC6F15525B22D49 +- Architecture: arm64 + InstallerUrl: https://github.com/discloud/cli-dart/releases/download/0.12.1/discloud-cli-x64-setup.exe + InstallerSha256: D55511F1BCB5E082864FC332B84A87481C6DE382B068634CDDC6F15525B22D49 +ManifestType: installer +ManifestVersion: 1.12.0 +ReleaseDate: 2026-04-11 diff --git a/manifests/d/Discloud/CLI/0.12.1/Discloud.CLI.locale.en-US.yaml b/manifests/d/Discloud/CLI/0.12.1/Discloud.CLI.locale.en-US.yaml new file mode 100644 index 0000000000000..fe9b67344ab13 --- /dev/null +++ b/manifests/d/Discloud/CLI/0.12.1/Discloud.CLI.locale.en-US.yaml @@ -0,0 +1,25 @@ +# Created using wingetcreate 1.12.8.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.12.0.schema.json + +PackageIdentifier: Discloud.CLI +PackageVersion: 0.12.1 +PackageLocale: en-US +Publisher: Discloud +PublisherUrl: https://github.com/discloud +PublisherSupportUrl: https://docs.discloud.com/faq/where-to-get-help +PrivacyUrl: https://github.com/discloud/legal/blob/main/terms-en.md +Author: Discloud +PackageName: Discloud CLI +PackageUrl: https://github.com/discloud/cli-dart +License: Apache 2.0 +LicenseUrl: https://github.com/discloud/cli-dart/blob/main/LICENSE +Copyright: Copyright © 2026 Discloud +ShortDescription: Discloud CLI Setup +Description: A fast option to manage your apps on Discloud. +Moniker: discloudcli +Tags: +- discloudbot +- host +ReleaseNotesUrl: https://github.com/discloud/cli-dart/releases/tag/0.12.1 +ManifestType: defaultLocale +ManifestVersion: 1.12.0 diff --git a/manifests/d/Discloud/CLI/0.12.1/Discloud.CLI.yaml b/manifests/d/Discloud/CLI/0.12.1/Discloud.CLI.yaml new file mode 100644 index 0000000000000..1d46523dad241 --- /dev/null +++ b/manifests/d/Discloud/CLI/0.12.1/Discloud.CLI.yaml @@ -0,0 +1,8 @@ +# Created using wingetcreate 1.12.8.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.12.0.schema.json + +PackageIdentifier: Discloud.CLI +PackageVersion: 0.12.1 +DefaultLocale: en-US +ManifestType: version +ManifestVersion: 1.12.0 diff --git a/manifests/d/DuckDuckGo/DesktopBrowser/Preview/0.154.1.0/DuckDuckGo.DesktopBrowser.Preview.installer.yaml b/manifests/d/DuckDuckGo/DesktopBrowser/Preview/0.154.1.0/DuckDuckGo.DesktopBrowser.Preview.installer.yaml new file mode 100644 index 0000000000000..080cf4af31173 --- /dev/null +++ b/manifests/d/DuckDuckGo/DesktopBrowser/Preview/0.154.1.0/DuckDuckGo.DesktopBrowser.Preview.installer.yaml @@ -0,0 +1,36 @@ +# Created with YamlCreate.ps1 Dumplings Mod +# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.12.0.schema.json + +PackageIdentifier: DuckDuckGo.DesktopBrowser.Preview +PackageVersion: 0.154.1.0 +Platform: +- Windows.Desktop +- Windows.Universal +MinimumOSVersion: 10.0.19041.0 +InstallerType: msix +Protocols: +- http +- https +FileExtensions: +- htm +- html +- pdf +PackageFamilyName: DuckDuckGo.DesktopBrowserPreview_ya2fgkz3nks94 +Capabilities: +- internetClient +- runFullTrust +Installers: +- Architecture: x86 + InstallerUrl: https://staticcdn.duckduckgo.com/d5c04536-5379-4709-8d19-d13fdd456ff6/preview/0.154.1.0/DuckDuckGo%20Preview_0.154.1.0.msixbundle + InstallerSha256: 1D7141F008649893B67C8A327CAACF8EA22F2EAECED8D22A61A3D913E35900FA + SignatureSha256: 6B8DD3586E7B8018926A0094B72132A604231765712A6C22B6E57B581ECB4C3E +- Architecture: x64 + InstallerUrl: https://staticcdn.duckduckgo.com/d5c04536-5379-4709-8d19-d13fdd456ff6/preview/0.154.1.0/DuckDuckGo%20Preview_0.154.1.0.msixbundle + InstallerSha256: 1D7141F008649893B67C8A327CAACF8EA22F2EAECED8D22A61A3D913E35900FA + SignatureSha256: 6B8DD3586E7B8018926A0094B72132A604231765712A6C22B6E57B581ECB4C3E +- Architecture: arm64 + InstallerUrl: https://staticcdn.duckduckgo.com/d5c04536-5379-4709-8d19-d13fdd456ff6/preview/0.154.1.0/DuckDuckGo%20Preview_0.154.1.0.msixbundle + InstallerSha256: 1D7141F008649893B67C8A327CAACF8EA22F2EAECED8D22A61A3D913E35900FA + SignatureSha256: 6B8DD3586E7B8018926A0094B72132A604231765712A6C22B6E57B581ECB4C3E +ManifestType: installer +ManifestVersion: 1.12.0 diff --git a/manifests/d/DuckDuckGo/DesktopBrowser/Preview/0.154.1.0/DuckDuckGo.DesktopBrowser.Preview.locale.en-US.yaml b/manifests/d/DuckDuckGo/DesktopBrowser/Preview/0.154.1.0/DuckDuckGo.DesktopBrowser.Preview.locale.en-US.yaml new file mode 100644 index 0000000000000..9c5acd92911e6 --- /dev/null +++ b/manifests/d/DuckDuckGo/DesktopBrowser/Preview/0.154.1.0/DuckDuckGo.DesktopBrowser.Preview.locale.en-US.yaml @@ -0,0 +1,24 @@ +# Created with YamlCreate.ps1 Dumplings Mod +# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.12.0.schema.json + +PackageIdentifier: DuckDuckGo.DesktopBrowser.Preview +PackageVersion: 0.154.1.0 +PackageLocale: en-US +Publisher: DuckDuckGo +PublisherUrl: https://duckduckgo.com/ +PrivacyUrl: https://duckduckgo.com/privacy +Author: Duck Duck Go, Inc. +PackageName: DuckDuckGo Preview +PackageUrl: https://duckduckgo.com/windows-preview +License: Freeware +LicenseUrl: https://duckduckgo.com/terms +Copyright: © 2026 DuckDuckGo +CopyrightUrl: https://duckduckgo.com/terms +ShortDescription: Help Test and Improve New Features with DuckDuckGo Preview for Windows +Tags: +- browser +- chromium +- web +- webpage +ManifestType: defaultLocale +ManifestVersion: 1.12.0 diff --git a/manifests/d/DuckDuckGo/DesktopBrowser/Preview/0.154.1.0/DuckDuckGo.DesktopBrowser.Preview.locale.zh-CN.yaml b/manifests/d/DuckDuckGo/DesktopBrowser/Preview/0.154.1.0/DuckDuckGo.DesktopBrowser.Preview.locale.zh-CN.yaml new file mode 100644 index 0000000000000..a1b44b62a9c7f --- /dev/null +++ b/manifests/d/DuckDuckGo/DesktopBrowser/Preview/0.154.1.0/DuckDuckGo.DesktopBrowser.Preview.locale.zh-CN.yaml @@ -0,0 +1,14 @@ +# Created with YamlCreate.ps1 Dumplings Mod +# yaml-language-server: $schema=https://aka.ms/winget-manifest.locale.1.12.0.schema.json + +PackageIdentifier: DuckDuckGo.DesktopBrowser.Preview +PackageVersion: 0.154.1.0 +PackageLocale: zh-CN +License: 免费软件 +ShortDescription: 帮助测试和改进 DuckDuckGo Preview for Windows 的新功能 +Tags: +- chromium +- 浏览器 +- 网页 +ManifestType: locale +ManifestVersion: 1.12.0 diff --git a/manifests/d/DuckDuckGo/DesktopBrowser/Preview/0.154.1.0/DuckDuckGo.DesktopBrowser.Preview.yaml b/manifests/d/DuckDuckGo/DesktopBrowser/Preview/0.154.1.0/DuckDuckGo.DesktopBrowser.Preview.yaml new file mode 100644 index 0000000000000..9e79bf621f8b7 --- /dev/null +++ b/manifests/d/DuckDuckGo/DesktopBrowser/Preview/0.154.1.0/DuckDuckGo.DesktopBrowser.Preview.yaml @@ -0,0 +1,8 @@ +# Created with YamlCreate.ps1 Dumplings Mod +# yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.12.0.schema.json + +PackageIdentifier: DuckDuckGo.DesktopBrowser.Preview +PackageVersion: 0.154.1.0 +DefaultLocale: en-US +ManifestType: version +ManifestVersion: 1.12.0 diff --git a/manifests/d/Dyad/Dyad/0.43.0/Dyad.Dyad.installer.yaml b/manifests/d/Dyad/Dyad/0.43.0/Dyad.Dyad.installer.yaml new file mode 100644 index 0000000000000..f93a870df5c6a --- /dev/null +++ b/manifests/d/Dyad/Dyad/0.43.0/Dyad.Dyad.installer.yaml @@ -0,0 +1,27 @@ +# Created with komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.12.0.schema.json + +PackageIdentifier: Dyad.Dyad +PackageVersion: 0.43.0 +InstallerType: exe +Scope: user +InstallModes: +- interactive +- silent +- silentWithProgress +InstallerSwitches: + Silent: --silent + SilentWithProgress: --silent +UpgradeBehavior: install +ReleaseDate: 2026-04-08 +Installers: +- Architecture: x64 + InstallerUrl: https://github.com/dyad-sh/dyad/releases/download/v0.43.0/dyad-0.43.0.Setup.exe + InstallerSha256: 571866439C64687AC05C419FD422BF2F2E06B8D21EDBD0291EAC539F607C1EB2 + ProductCode: dyad + AppsAndFeaturesEntries: + - ProductCode: dyad + InstallationMetadata: + DefaultInstallLocation: '%LocalAppData%\dyad' +ManifestType: installer +ManifestVersion: 1.12.0 diff --git a/manifests/d/Dyad/Dyad/0.43.0/Dyad.Dyad.locale.en-US.yaml b/manifests/d/Dyad/Dyad/0.43.0/Dyad.Dyad.locale.en-US.yaml new file mode 100644 index 0000000000000..003bceb3ba350 --- /dev/null +++ b/manifests/d/Dyad/Dyad/0.43.0/Dyad.Dyad.locale.en-US.yaml @@ -0,0 +1,67 @@ +# Created with komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.12.0.schema.json + +PackageIdentifier: Dyad.Dyad +PackageVersion: 0.43.0 +PackageLocale: en-US +Publisher: Will Chen +PublisherUrl: https://www.dyad.sh/ +PublisherSupportUrl: https://github.com/dyad-sh/dyad/issues +Author: Dyad +PackageName: dyad +PackageUrl: https://www.dyad.sh/ +License: Apache-2.0 +LicenseUrl: https://github.com/dyad-sh/dyad/blob/HEAD/LICENSE +Copyright: Copyright © 2025 Will Chen +ShortDescription: Dyad is a free, local, open-source AI app builder +Description: Dyad is a free, local, open-source AI app builder +Moniker: dyad +Tags: +- ai-app-builder +- anthropic +- artificial-intelligence +- bolt +- deepseek +- gemini +- generative-ai +- github +- llm +- llms +- lovable +- nextjs +- ollama +- openai +- qwen +- v0 +ReleaseNotes: |- + Full release notes: https://www.dyad.sh/docs/releases/0.43.0 + What's Changed + - Increase Basic Agent free quota from 5 to 10 messages by @wwwillchen in #3147 + - feat: Add React DevTools in development by @nourzakhama2003 in #3112 + - feat: upgrade MiniMax default model to M2.7 by @octo-patch in #3038 + - Fixing formatting issue in language_model_constants.ts by @azizmejri1 in #3156 + - Feat: referencing files from the code editor by @azizmejri1 in #3146 + - feat: block unsafe npm package installs by @keppo-bot[bot] in #3152 + - fix: persist GitHub sync state across Publish tab navigation by @keppo-bot[bot] in #3151 + - feat: add "Group tabs by app" context menu option by @keppo-bot[bot] in #3150 + - Fix preview route discovery states by @keppo-bot[bot] in #3158 + - Do not auto-collapse package-lock.json in github ui by @wwwillchen in #3160 + - Bump to v0.43.0-beta.1 by @wwwillchen in #3161 + - perf: change db to WAL mode by @RyanGroch in #3140 + - Fix bot author allowlists by @keppo-bot[bot] in #3162 + - fix: pin socket firewall npx invocation by @keppo-bot[bot] in #3163 + - Separate ChatInput Prompts per-chat session by @princeaden1 in #3129 + - Adding discard changes button when reviewing uncommitted changes by @azizmejri1 in #3165 + - feat: run add-dependency installs in a PTY by @keppo-bot[bot] in #3167 + - Fix editor file switch race by @wwwillchen in #3168 + - fix: skip unsupported PowerShell scripts in Windows signing by @wwwillchen in #3169 + - Stop anthropic attribution by @wwwillchen in #3170 + - fix: exclude unsupported node-pty artifacts from windows signing by @wwwillchen in #3171 + - Fix socket firewall for windows by @wwwillchen in #3172 + - Deflake local agent consent e2e test by @wwwillchen in #3173 + New Contributors + - @octo-patch made their first contribution in #3038 + Full Changelog: v0.42.0...v0.43.0 +ReleaseNotesUrl: https://github.com/dyad-sh/dyad/releases/tag/v0.43.0 +ManifestType: defaultLocale +ManifestVersion: 1.12.0 diff --git a/manifests/d/Dyad/Dyad/0.43.0/Dyad.Dyad.yaml b/manifests/d/Dyad/Dyad/0.43.0/Dyad.Dyad.yaml new file mode 100644 index 0000000000000..f5a589217b473 --- /dev/null +++ b/manifests/d/Dyad/Dyad/0.43.0/Dyad.Dyad.yaml @@ -0,0 +1,8 @@ +# Created with komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.12.0.schema.json + +PackageIdentifier: Dyad.Dyad +PackageVersion: 0.43.0 +DefaultLocale: en-US +ManifestType: version +ManifestVersion: 1.12.0 diff --git a/manifests/e/EdrawSoft/MindMaster/.validation b/manifests/e/EdrawSoft/MindMaster/.validation deleted file mode 100644 index ff48f125127b3..0000000000000 --- a/manifests/e/EdrawSoft/MindMaster/.validation +++ /dev/null @@ -1 +0,0 @@ -{"ValidationVersion":"1.0.0","Waivers":[{"WaiverId":"fee0fdd8-69dc-47cc-be5d-a8e6fd450b17","TestPlan":"Policy-Test-1.2","PackagePath":"manifests/e/EdrawSoft/MindMaster/9.1.2.177","CommitId":"4885fcd983ce9f3e6b5eb15db927057f994b0689"}]} \ No newline at end of file diff --git a/manifests/f/Feixiang/Feixiang/.validation b/manifests/f/Feixiang/Feixiang/.validation deleted file mode 100644 index a2661c91125cf..0000000000000 --- a/manifests/f/Feixiang/Feixiang/.validation +++ /dev/null @@ -1 +0,0 @@ -{"ValidationVersion":"1.0.0","Waivers":[{"WaiverId":"6ad0b07d-2308-4400-ae5f-c903e91882da","TestPlan":"Validation-Domain","PackagePath":"manifests/f/Feixiang/Feixiang/2.3.0","CommitId":"942e933602423f449d03a1b869cc9da08e732a5e"}],"InstallationVerification":{"Executables":[]}} \ No newline at end of file diff --git a/manifests/g/GAM-Team/gam/7.40.01/GAM-Team.gam.installer.yaml b/manifests/g/GAM-Team/gam/7.40.01/GAM-Team.gam.installer.yaml new file mode 100644 index 0000000000000..8f78836156bc7 --- /dev/null +++ b/manifests/g/GAM-Team/gam/7.40.01/GAM-Team.gam.installer.yaml @@ -0,0 +1,21 @@ +# Created with WinGet Updater using komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.12.0.schema.json + +PackageIdentifier: GAM-Team.gam +PackageVersion: 7.40.01 +InstallerLocale: en-US +InstallerType: inno +Scope: machine +ProductCode: '{D86B52B2-EFE9-4F9D-8BA3-9D84B9B2D319}_is1' +ReleaseDate: 2026-04-11 +AppsAndFeaturesEntries: +- ProductCode: '{D86B52B2-EFE9-4F9D-8BA3-9D84B9B2D319}_is1' +ElevationRequirement: elevatesSelf +InstallationMetadata: + DefaultInstallLocation: '%SystemDrive%\GAM7' +Installers: +- Architecture: arm64 + InstallerUrl: https://github.com/GAM-team/GAM/releases/download/v7.40.01/gam-7.40.01-windows-arm64.exe + InstallerSha256: FA892870DB484B70BBFB093E4B2B6C883D8EDDBB0A66C3CF7C22D227B9B15A83 +ManifestType: installer +ManifestVersion: 1.12.0 diff --git a/manifests/g/GAM-Team/gam/7.40.01/GAM-Team.gam.locale.en-US.yaml b/manifests/g/GAM-Team/gam/7.40.01/GAM-Team.gam.locale.en-US.yaml new file mode 100644 index 0000000000000..5638ba806f5c2 --- /dev/null +++ b/manifests/g/GAM-Team/gam/7.40.01/GAM-Team.gam.locale.en-US.yaml @@ -0,0 +1,42 @@ +# Created with WinGet Updater using komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.12.0.schema.json + +PackageIdentifier: GAM-Team.gam +PackageVersion: 7.40.01 +PackageLocale: en-US +Publisher: GAM Team - google-apps-manager@googlegroups.com +PublisherUrl: https://github.com/GAM-team +PublisherSupportUrl: https://github.com/GAM-team/GAM/issues +PackageName: gam +PackageUrl: https://github.com/GAM-team/GAM +License: Apache-2.0 +LicenseUrl: https://github.com/GAM-team/GAM/blob/HEAD/LICENSE +ShortDescription: command line management for Google Workspace +Tags: +- gam +- google +- google-admin-sdk +- google-api +- google-apps +- google-calendar +- google-cloud +- google-drive +- google-workspace +- gsuite +- oauth2 +- oauth2-client +- python +ReleaseNotes: |- + - 7.40.01 + Updated gam print filelist|filecounts to handle the permissionDetails subfield + of the permissions field for My Drives; this useful when trying to display permission inheritance. + An additional API call per file is required to get the permissionDetails subfield. + gam user user@domain.com print filelist fields id,name,mimetype,basicpermissions,permissiondetails oneitemperrow + gam user user@domain.com print filelist fields id,name,mimetype,basicpermissions,permissiondetails pm inherited false em pmfilter oneitemperrow + - See Update History +ReleaseNotesUrl: https://github.com/GAM-team/GAM/releases/tag/v7.40.01 +Documentations: +- DocumentLabel: Wiki + DocumentUrl: https://github.com/GAM-team/GAM/wiki +ManifestType: defaultLocale +ManifestVersion: 1.12.0 diff --git a/manifests/g/GAM-Team/gam/7.40.01/GAM-Team.gam.yaml b/manifests/g/GAM-Team/gam/7.40.01/GAM-Team.gam.yaml new file mode 100644 index 0000000000000..a57f3e1b25f3f --- /dev/null +++ b/manifests/g/GAM-Team/gam/7.40.01/GAM-Team.gam.yaml @@ -0,0 +1,8 @@ +# Created with WinGet Updater using komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.12.0.schema.json + +PackageIdentifier: GAM-Team.gam +PackageVersion: 7.40.01 +DefaultLocale: en-US +ManifestType: version +ManifestVersion: 1.12.0 diff --git a/manifests/g/GamaPlatform/GamaAlpha/.validation b/manifests/g/GamaPlatform/GamaAlpha/.validation deleted file mode 100644 index 62c45bb887346..0000000000000 --- a/manifests/g/GamaPlatform/GamaAlpha/.validation +++ /dev/null @@ -1 +0,0 @@ -{"ValidationVersion":"1.0.0","Waivers":[{"WaiverId":"1b0f6ea1-b6f3-4bed-907b-f71b4b4ae1b0","TestPlan":"Policy-Test-2.7","PackagePath":"manifests/g/GamaPlatform/GamaAlpha/1.9.3-89d4463","CommitId":"9b7ed9d02b41c9eaba214f48ddb1f2152d9f30d3"}],"InstallationVerification":{"Executables":[]}} \ No newline at end of file diff --git a/manifests/g/Google/Chrome/Canary/149.0.7785.0/Google.Chrome.Canary.installer.yaml b/manifests/g/Google/Chrome/Canary/149.0.7786.0/Google.Chrome.Canary.installer.yaml similarity index 57% rename from manifests/g/Google/Chrome/Canary/149.0.7785.0/Google.Chrome.Canary.installer.yaml rename to manifests/g/Google/Chrome/Canary/149.0.7786.0/Google.Chrome.Canary.installer.yaml index 4d6db39e4212e..b79ddcd83497d 100644 --- a/manifests/g/Google/Chrome/Canary/149.0.7785.0/Google.Chrome.Canary.installer.yaml +++ b/manifests/g/Google/Chrome/Canary/149.0.7786.0/Google.Chrome.Canary.installer.yaml @@ -2,7 +2,7 @@ # yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.12.0.schema.json PackageIdentifier: Google.Chrome.Canary -PackageVersion: 149.0.7785.0 +PackageVersion: 149.0.7786.0 InstallerType: exe Scope: user InstallModes: @@ -37,13 +37,13 @@ FileExtensions: ProductCode: Google Chrome SxS Installers: - Architecture: x86 - InstallerUrl: https://dl.google.com/release2/chrome/ac6ijxhfbwgjjumzpygi2v5kbl5a_149.0.7785.0/149.0.7785.0_chrome_installer_uncompressed.exe - InstallerSha256: 447B14CE43F4F30879A5FAC423C1A45287A8863AFB51E23BD60496B3EE23A623 + InstallerUrl: https://dl.google.com/release2/chrome/agk4gh7rvx2jzaq2ztgpnjkbg4_149.0.7786.0/149.0.7786.0_chrome_installer_uncompressed.exe + InstallerSha256: 7C02BD2492D204905A886728957E8BA435AB3E4967BA525B9661D71A64F21ED9 - Architecture: x64 - InstallerUrl: https://dl.google.com/release2/chrome/acbmyjuvandrkhxjhvncnf4e3xta_149.0.7785.0/149.0.7785.0_chrome_installer_uncompressed.exe - InstallerSha256: ACF1971DDEF8B2380E848112E6AC74CB288C6B07CAEF2D020A6404304F8C5F1D + InstallerUrl: https://dl.google.com/release2/chrome/nf6mec7ozmkitllmnuebpwx2gy_149.0.7786.0/149.0.7786.0_chrome_installer_uncompressed.exe + InstallerSha256: 5BA58591E0F35A49A4638C9365B21BC46F017D0EC8C44618012305FD593E932C - Architecture: arm64 - InstallerUrl: https://dl.google.com/release2/chrome/psbvqoqkpzd4ltoi4owhwe3uwa_149.0.7785.0/149.0.7785.0_chrome_installer_uncompressed.exe - InstallerSha256: B9FCF179D19F10EBC09D9ACFA545DBF3A03761007B3CB39736BD82D34854039D + InstallerUrl: https://dl.google.com/release2/chrome/acijg6jcygksgdg6nm66jld2pkaa_149.0.7786.0/149.0.7786.0_chrome_installer_uncompressed.exe + InstallerSha256: 802F6B7CC3881BA415807213703D5658ECB8BAD100EA76AAF5ED0D4C99442906 ManifestType: installer ManifestVersion: 1.12.0 diff --git a/manifests/g/Google/Chrome/Canary/149.0.7785.0/Google.Chrome.Canary.locale.en-US.yaml b/manifests/g/Google/Chrome/Canary/149.0.7786.0/Google.Chrome.Canary.locale.en-US.yaml similarity index 96% rename from manifests/g/Google/Chrome/Canary/149.0.7785.0/Google.Chrome.Canary.locale.en-US.yaml rename to manifests/g/Google/Chrome/Canary/149.0.7786.0/Google.Chrome.Canary.locale.en-US.yaml index a0693c7f19df5..91f3136eae2b4 100644 --- a/manifests/g/Google/Chrome/Canary/149.0.7785.0/Google.Chrome.Canary.locale.en-US.yaml +++ b/manifests/g/Google/Chrome/Canary/149.0.7786.0/Google.Chrome.Canary.locale.en-US.yaml @@ -2,7 +2,7 @@ # yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.12.0.schema.json PackageIdentifier: Google.Chrome.Canary -PackageVersion: 149.0.7785.0 +PackageVersion: 149.0.7786.0 PackageLocale: en-US Publisher: Google LLC PublisherUrl: https://www.google.com/ diff --git a/manifests/g/Google/Chrome/Canary/149.0.7785.0/Google.Chrome.Canary.locale.nb-NO.yaml b/manifests/g/Google/Chrome/Canary/149.0.7786.0/Google.Chrome.Canary.locale.nb-NO.yaml similarity index 96% rename from manifests/g/Google/Chrome/Canary/149.0.7785.0/Google.Chrome.Canary.locale.nb-NO.yaml rename to manifests/g/Google/Chrome/Canary/149.0.7786.0/Google.Chrome.Canary.locale.nb-NO.yaml index 89b613bf92412..2a8e93372e078 100644 --- a/manifests/g/Google/Chrome/Canary/149.0.7785.0/Google.Chrome.Canary.locale.nb-NO.yaml +++ b/manifests/g/Google/Chrome/Canary/149.0.7786.0/Google.Chrome.Canary.locale.nb-NO.yaml @@ -2,7 +2,7 @@ # yaml-language-server: $schema=https://aka.ms/winget-manifest.locale.1.12.0.schema.json PackageIdentifier: Google.Chrome.Canary -PackageVersion: 149.0.7785.0 +PackageVersion: 149.0.7786.0 PackageLocale: nb-NO Publisher: Google LLC PublisherUrl: https://www.google.com/ diff --git a/manifests/g/Google/Chrome/Canary/149.0.7785.0/Google.Chrome.Canary.locale.zh-CN.yaml b/manifests/g/Google/Chrome/Canary/149.0.7786.0/Google.Chrome.Canary.locale.zh-CN.yaml similarity index 96% rename from manifests/g/Google/Chrome/Canary/149.0.7785.0/Google.Chrome.Canary.locale.zh-CN.yaml rename to manifests/g/Google/Chrome/Canary/149.0.7786.0/Google.Chrome.Canary.locale.zh-CN.yaml index caa8fd5c34cac..82bea66476b7e 100644 --- a/manifests/g/Google/Chrome/Canary/149.0.7785.0/Google.Chrome.Canary.locale.zh-CN.yaml +++ b/manifests/g/Google/Chrome/Canary/149.0.7786.0/Google.Chrome.Canary.locale.zh-CN.yaml @@ -2,7 +2,7 @@ # yaml-language-server: $schema=https://aka.ms/winget-manifest.locale.1.12.0.schema.json PackageIdentifier: Google.Chrome.Canary -PackageVersion: 149.0.7785.0 +PackageVersion: 149.0.7786.0 PackageLocale: zh-CN Publisher: Google LLC PublisherUrl: https://www.google.com/ diff --git a/manifests/g/Google/Chrome/Canary/149.0.7785.0/Google.Chrome.Canary.yaml b/manifests/g/Google/Chrome/Canary/149.0.7786.0/Google.Chrome.Canary.yaml similarity index 89% rename from manifests/g/Google/Chrome/Canary/149.0.7785.0/Google.Chrome.Canary.yaml rename to manifests/g/Google/Chrome/Canary/149.0.7786.0/Google.Chrome.Canary.yaml index 135156567b035..3bf364cfa50cb 100644 --- a/manifests/g/Google/Chrome/Canary/149.0.7785.0/Google.Chrome.Canary.yaml +++ b/manifests/g/Google/Chrome/Canary/149.0.7786.0/Google.Chrome.Canary.yaml @@ -2,7 +2,7 @@ # yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.12.0.schema.json PackageIdentifier: Google.Chrome.Canary -PackageVersion: 149.0.7785.0 +PackageVersion: 149.0.7786.0 DefaultLocale: en-US ManifestType: version ManifestVersion: 1.12.0 diff --git a/manifests/h/H3C/H3CShare/1.1.1012/H3C.H3CShare.locale.en-US.yaml b/manifests/h/H3C/H3CShare/1.1.1012/H3C.H3CShare.locale.en-US.yaml index dfbe90b8a70c2..1bfce9991a066 100644 --- a/manifests/h/H3C/H3CShare/1.1.1012/H3C.H3CShare.locale.en-US.yaml +++ b/manifests/h/H3C/H3CShare/1.1.1012/H3C.H3CShare.locale.en-US.yaml @@ -15,7 +15,7 @@ License: Freeware # LicenseUrl: Copyright: Copyright © 2022-2024 H3C. All rights reserved. CopyrightUrl: https://www.h3c.com/en/Home/TermsOfUse/ -ShortDescription: Mirror your Windows PC screen to H3C MagicHub +ShortDescription: Mirror your Windows PC screen to H3C MagicHub. # Description: # Moniker: Tags: @@ -23,6 +23,8 @@ Tags: - magichub - mirror - projection +- prc +- china # ReleaseNotes: # ReleaseNotesUrl: # PurchaseUrl: diff --git a/manifests/h/HIKARI-FIELD/HIKARI-FIELD-CLIENT/1.2.0/HIKARI-FIELD.HIKARI-FIELD-CLIENT.installer.yaml b/manifests/h/HIKARI-FIELD/HIKARI-FIELD-CLIENT/1.2.0/HIKARI-FIELD.HIKARI-FIELD-CLIENT.installer.yaml index eb92074a26d81..e7b6a67f148eb 100644 --- a/manifests/h/HIKARI-FIELD/HIKARI-FIELD-CLIENT/1.2.0/HIKARI-FIELD.HIKARI-FIELD-CLIENT.installer.yaml +++ b/manifests/h/HIKARI-FIELD/HIKARI-FIELD-CLIENT/1.2.0/HIKARI-FIELD.HIKARI-FIELD-CLIENT.installer.yaml @@ -18,7 +18,7 @@ AppsAndFeaturesEntries: - Publisher: HIKARI FIELD Installers: - Architecture: x64 - InstallerUrl: https://client.hikarifield.co.jp/release/HIKARI-FIELD-CLIENT-Setup-1.2.0.zip + InstallerUrl: https://static.hikarifield.co.jp/client/HIKARI-FIELD-CLIENT-Setup-1.2.0.zip InstallerSha256: 2A11139A35B44E006ECE02107358AA675C05E98016665D5B103176BE5FFC191D ManifestType: installer ManifestVersion: 1.9.0 diff --git a/manifests/h/Hitalin/NoteDeck/0.10.2/Hitalin.NoteDeck.installer.yaml b/manifests/h/Hitalin/NoteDeck/0.10.2/Hitalin.NoteDeck.installer.yaml new file mode 100644 index 0000000000000..c1e2c59379bfd --- /dev/null +++ b/manifests/h/Hitalin/NoteDeck/0.10.2/Hitalin.NoteDeck.installer.yaml @@ -0,0 +1,21 @@ +# Created with WinGet Releaser using komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.12.0.schema.json + +PackageIdentifier: Hitalin.NoteDeck +PackageVersion: 0.10.2 +InstallerLocale: en-US +InstallerType: nullsoft +Scope: user +ProductCode: NoteDeck +ReleaseDate: 2026-04-11 +AppsAndFeaturesEntries: +- Publisher: notedeck + ProductCode: NoteDeck +InstallationMetadata: + DefaultInstallLocation: '%LocalAppData%\NoteDeck' +Installers: +- Architecture: x64 + InstallerUrl: https://github.com/hitalin/notedeck/releases/download/v0.10.2/NoteDeck-0.10.2-windows-x64-setup.exe + InstallerSha256: DFF07CDB671BF201CC742B6AE46BAF6910D9D64ED85AA2A6661C80166D61E0F9 +ManifestType: installer +ManifestVersion: 1.12.0 diff --git a/manifests/h/Hitalin/NoteDeck/0.10.2/Hitalin.NoteDeck.locale.en-US.yaml b/manifests/h/Hitalin/NoteDeck/0.10.2/Hitalin.NoteDeck.locale.en-US.yaml new file mode 100644 index 0000000000000..4156658f895d1 --- /dev/null +++ b/manifests/h/Hitalin/NoteDeck/0.10.2/Hitalin.NoteDeck.locale.en-US.yaml @@ -0,0 +1,24 @@ +# Created with WinGet Releaser using komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.locale.1.12.0.schema.json + +PackageIdentifier: Hitalin.NoteDeck +PackageVersion: 0.10.2 +PackageLocale: en-US +Publisher: hitalin +PublisherUrl: https://github.com/hitalin +PackageName: NoteDeck +PackageUrl: https://github.com/hitalin/notedeck +License: AGPL-3.0 +LicenseUrl: https://github.com/hitalin/notedeck/blob/main/LICENSE +ShortDescription: A multi-platform deck client for Misskey and its forks +Description: |- + NoteDeck is a deck client for Misskey and its forks. + It provides efficient multi-server timeline viewing with features like local full-text search, + AI integration, and localhost API that are only possible with a native desktop application. +Tags: +- deck +- fediverse +- misskey +- social-media +ManifestType: locale +ManifestVersion: 1.12.0 diff --git a/manifests/h/Hitalin/NoteDeck/0.10.2/Hitalin.NoteDeck.locale.ja-JP.yaml b/manifests/h/Hitalin/NoteDeck/0.10.2/Hitalin.NoteDeck.locale.ja-JP.yaml new file mode 100644 index 0000000000000..df954861f9912 --- /dev/null +++ b/manifests/h/Hitalin/NoteDeck/0.10.2/Hitalin.NoteDeck.locale.ja-JP.yaml @@ -0,0 +1,32 @@ +# Created with WinGet Releaser using komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.12.0.schema.json + +PackageIdentifier: Hitalin.NoteDeck +PackageVersion: 0.10.2 +PackageLocale: ja-JP +Publisher: hitalin +PublisherUrl: https://github.com/hitalin +PublisherSupportUrl: https://github.com/hitalin/notedeck/issues +PackageName: NoteDeck +PackageUrl: https://github.com/hitalin/notedeck +License: AGPL-3.0 +LicenseUrl: https://github.com/hitalin/notedeck/blob/HEAD/LICENSE +ShortDescription: Misskey とそのフォークに対応したマルチプラットフォーム対応デッキクライアント +Description: |- + NoteDeck は Misskey とそのフォークに対応したデッキクライアントです。 + 複数サーバーのタイムラインを効率よく閲覧でき、ローカル全文検索、AI 統合、localhost API など + デスクトップネイティブならではの機能を備えています。 +Tags: +- deck +- fediverse +- misskey +- social-media +ReleaseNotes: |- + What's Changed + Other Changes + - feat: ランディングページにMisStoreリンクを追加 by @hitalin in #337 + - Release v0.10.2 by @hitalin in #338 + Full Changelog: v0.10.1...v0.10.2 +ReleaseNotesUrl: https://github.com/hitalin/notedeck/releases/tag/v0.10.2 +ManifestType: defaultLocale +ManifestVersion: 1.12.0 diff --git a/manifests/h/Hitalin/NoteDeck/0.10.2/Hitalin.NoteDeck.yaml b/manifests/h/Hitalin/NoteDeck/0.10.2/Hitalin.NoteDeck.yaml new file mode 100644 index 0000000000000..3a6a0c5b480da --- /dev/null +++ b/manifests/h/Hitalin/NoteDeck/0.10.2/Hitalin.NoteDeck.yaml @@ -0,0 +1,8 @@ +# Created with WinGet Releaser using komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.12.0.schema.json + +PackageIdentifier: Hitalin.NoteDeck +PackageVersion: 0.10.2 +DefaultLocale: ja-JP +ManifestType: version +ManifestVersion: 1.12.0 diff --git a/manifests/h/Huya/Huya/7.5.0.0/Huya.Huya.locale.en-US.yaml b/manifests/h/Huya/Huya/7.5.0.0/Huya.Huya.locale.en-US.yaml index 28a4cc3e576cf..e194a48f7784b 100644 --- a/manifests/h/Huya/Huya/7.5.0.0/Huya.Huya.locale.en-US.yaml +++ b/manifests/h/Huya/Huya/7.5.0.0/Huya.Huya.locale.en-US.yaml @@ -15,11 +15,13 @@ License: Proprietary LicenseUrl: https://hd.huya.com/huyaDIYzt/6811/pc/index.html#diySetTab=5 Copyright: Copyright © 2024 Guangzhou Huya Information Technology Co., Ltd. All rights reserved CopyrightUrl: https://hd.huya.com/huyaDIYzt/6811/pc/index.html#diySetTab=5 -ShortDescription: A Live Streaming Platform for Gaming and Interaction +ShortDescription: A Live Streaming Platform for Gaming and Interaction. Tags: - live - live-streaming - livestreaming - streaming +- prc +- china ManifestType: defaultLocale ManifestVersion: 1.9.0 diff --git a/manifests/h/hellodigua/ChatLab/0.17.0/hellodigua.ChatLab.installer.yaml b/manifests/h/hellodigua/ChatLab/0.17.0/hellodigua.ChatLab.installer.yaml new file mode 100644 index 0000000000000..81910b77fcb47 --- /dev/null +++ b/manifests/h/hellodigua/ChatLab/0.17.0/hellodigua.ChatLab.installer.yaml @@ -0,0 +1,26 @@ +# Created with YamlCreate.ps1 Dumplings Mod +# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.12.0.schema.json + +PackageIdentifier: hellodigua.ChatLab +PackageVersion: 0.17.0 +InstallerType: nullsoft +InstallerSwitches: + Upgrade: --updated +UpgradeBehavior: install +ProductCode: 5c93c6d5-cfd9-53ea-a37a-26c1e3d35c8d +ReleaseDate: 2026-04-11 +Installers: +- Architecture: x64 + Scope: user + InstallerUrl: https://github.com/hellodigua/ChatLab/releases/download/v0.17.0/ChatLab-0.17.0-setup.exe + InstallerSha256: 70E5B489D01C2EFD577B6C0EC898DEDF2C326803BD5569F5B9CC86CD48CCD721 + InstallerSwitches: + Custom: /currentuser +- Architecture: x64 + Scope: machine + InstallerUrl: https://github.com/hellodigua/ChatLab/releases/download/v0.17.0/ChatLab-0.17.0-setup.exe + InstallerSha256: 70E5B489D01C2EFD577B6C0EC898DEDF2C326803BD5569F5B9CC86CD48CCD721 + InstallerSwitches: + Custom: /allusers +ManifestType: installer +ManifestVersion: 1.12.0 diff --git a/manifests/h/hellodigua/ChatLab/0.17.0/hellodigua.ChatLab.locale.en-US.yaml b/manifests/h/hellodigua/ChatLab/0.17.0/hellodigua.ChatLab.locale.en-US.yaml new file mode 100644 index 0000000000000..dfcbf34f19148 --- /dev/null +++ b/manifests/h/hellodigua/ChatLab/0.17.0/hellodigua.ChatLab.locale.en-US.yaml @@ -0,0 +1,35 @@ +# Created with YamlCreate.ps1 Dumplings Mod +# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.12.0.schema.json + +PackageIdentifier: hellodigua.ChatLab +PackageVersion: 0.17.0 +PackageLocale: en-US +Publisher: digua +PublisherUrl: https://digua.moe/ +PublisherSupportUrl: https://github.com/hellodigua/ChatLab/issues +PackageName: ChatLab +PackageUrl: https://chatlab.fun/ +License: AGPL-3.0 +LicenseUrl: https://github.com/hellodigua/ChatLab/blob/HEAD/LICENSE +Copyright: Copyright © 2026 ChatLab +ShortDescription: 'A Local-first chat analysis tool: Relive your social memories powered by SQL and AI Agents.' +Description: |- + ChatLab is a free, open-source, and local-first application dedicated to analyzing chat records. Through an AI Agent and a flexible SQL engine, you can freely dissect, query, and even reconstruct your social data. + We refuse to upload your privacy to the cloud; instead, we bring powerful analytics directly to your computer. + Currently supported: Chat record analysis for LINE, WeChat, QQ, WhatsApp, Instagram and Discord. Upcoming support: Messenger, iMessage. + The project is still in early iteration, so there are many bugs and unfinished features. If you encounter any issues, feel free to provide feedback. + Core Features + - 🚀 Ultimate Performance: Utilizing stream computing and multi-threaded parallel architecture, it maintains fluid interaction and response even with millions of chat records. + - 🔒 Privacy Protection: Chat records and configurations are stored in your local database, and all analysis is performed locally (with the exception of AI features). + - 🤖 Intelligent AI Agent: Integrated with 10+ Function Calling tools and supporting dynamic scheduling to deeply excavate interesting insights from chat records. + - 📊 Multi-dimensional Data Visualization: Provides intuitive analysis charts for activity trends, time distribution patterns, member rankings, and more. + - 🧩 Format Standardization: Through a powerful data abstraction layer, it bridges the format differences between various chat applications, allowing any chat records to be analyzed. +Tags: +- chat +- chat-records +ReleaseNotesUrl: https://github.com/hellodigua/ChatLab/releases/tag/v0.17.0 +Documentations: +- DocumentLabel: User Guide + DocumentUrl: https://chatlab.fun/usage/how-to-export.html +ManifestType: defaultLocale +ManifestVersion: 1.12.0 diff --git a/manifests/h/hellodigua/ChatLab/0.17.0/hellodigua.ChatLab.locale.zh-CN.yaml b/manifests/h/hellodigua/ChatLab/0.17.0/hellodigua.ChatLab.locale.zh-CN.yaml new file mode 100644 index 0000000000000..77ba51b9a2bae --- /dev/null +++ b/manifests/h/hellodigua/ChatLab/0.17.0/hellodigua.ChatLab.locale.zh-CN.yaml @@ -0,0 +1,31 @@ +# Created with YamlCreate.ps1 Dumplings Mod +# yaml-language-server: $schema=https://aka.ms/winget-manifest.locale.1.12.0.schema.json + +PackageIdentifier: hellodigua.ChatLab +PackageVersion: 0.17.0 +PackageLocale: zh-CN +PackageUrl: https://chatlab.fun/cn/ +ShortDescription: 本地化的聊天记录分析工具,通过 SQL 和 AI Agent 回顾你的社交记忆。 +Description: |- + ChatLab 是一个免费、开源、本地化的,专注于分析聊天记录的应用。通过 AI Agent 和灵活的 SQL 引擎,你可以自由地拆解、查询甚至重构你的社交数据。 + 目前已支持: WhatsApp、LINE、微信、QQ、Discord、Instagram 的聊天记录分析,即将支持: iMessage、Messenger、Kakao Talk。 + 核心特性 + - 🚀 极致性能:使用流式计算与多线程并行架构,就算是百万条级别的聊天记录,依然拥有丝滑交互和响应。 + - 🔒 保护隐私:聊天记录和配置都存在你的本地数据库,所有分析都在本地进行(AI 功能例外)。 + - 🤖 智能 AI Agent:集成 10+ Function Calling 工具,支持动态调度,深度挖掘聊天记录中的更多有趣。 + - 📊 多维数据可视化:提供活跃度趋势、时间规律分布、成员排行等多个维度的直观分析图表。 + - 🧩 格式标准化:通过强大的数据抽象层,抹平不同聊天软件的格式差异,任何聊天记录都能分析。 +Tags: +- 聊天 +- 聊天记录 +ReleaseNotes: |- + What's New + This release strengthens WhatsApp import parsing and specified-format imports, while refreshing Overview cards and adding sharing, screenshots, and debugging utilities. + 更新内容 + 重构并优化总览、视图等卡片的样式,这个版本的审美大幅度提升!并完善 WhatsApp 导入解析逻辑,同时在导入失败后支持指定格式导入,完善了截图与调试能力。 +ReleaseNotesUrl: https://github.com/hellodigua/ChatLab/releases/tag/v0.9.3 +Documentations: +- DocumentLabel: 用户手册 + DocumentUrl: https://chatlab.fun/cn/usage/how-to-export.html +ManifestType: locale +ManifestVersion: 1.12.0 diff --git a/manifests/h/hellodigua/ChatLab/0.17.0/hellodigua.ChatLab.yaml b/manifests/h/hellodigua/ChatLab/0.17.0/hellodigua.ChatLab.yaml new file mode 100644 index 0000000000000..317c83694701c --- /dev/null +++ b/manifests/h/hellodigua/ChatLab/0.17.0/hellodigua.ChatLab.yaml @@ -0,0 +1,8 @@ +# Created with YamlCreate.ps1 Dumplings Mod +# yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.12.0.schema.json + +PackageIdentifier: hellodigua.ChatLab +PackageVersion: 0.17.0 +DefaultLocale: en-US +ManifestType: version +ManifestVersion: 1.12.0 diff --git a/manifests/j/JayPrall/ColorCop/5.5.7/JayPrall.ColorCop.installer.yaml b/manifests/j/JayPrall/ColorCop/5.5.7/JayPrall.ColorCop.installer.yaml new file mode 100644 index 0000000000000..5241f42e37c2f --- /dev/null +++ b/manifests/j/JayPrall/ColorCop/5.5.7/JayPrall.ColorCop.installer.yaml @@ -0,0 +1,25 @@ +# Created with WinGet Releaser using komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.12.0.schema.json + +PackageIdentifier: JayPrall.ColorCop +PackageVersion: 5.5.7 +InstallerLocale: en-US +InstallerType: inno +Scope: machine +Dependencies: + PackageDependencies: + - PackageIdentifier: Microsoft.VCRedist.2015+.x86 +ProductCode: '{197A931D-2802-405D-B53E-67DF09D5BE2E}}_is1' +ReleaseDate: 2026-04-11 +AppsAndFeaturesEntries: +- DisplayName: Color Cop 5.5.7 + ProductCode: '{197A931D-2802-405D-B53E-67DF09D5BE2E}}_is1' +ElevationRequirement: elevatesSelf +InstallationMetadata: + DefaultInstallLocation: '%ProgramFiles%\Color Cop' +Installers: +- Architecture: x86 + InstallerUrl: https://github.com/ColorCop/ColorCop/releases/download/v5.5.7/colorcop-setup.exe + InstallerSha256: 0DC47A6C693F76E04C7E6867CAED164960A42565C058BFC5A2FB223DD91CD1A4 +ManifestType: installer +ManifestVersion: 1.12.0 diff --git a/manifests/j/JayPrall/ColorCop/5.5.7/JayPrall.ColorCop.locale.en-GB.yaml b/manifests/j/JayPrall/ColorCop/5.5.7/JayPrall.ColorCop.locale.en-GB.yaml new file mode 100644 index 0000000000000..3c40be8d2f263 --- /dev/null +++ b/manifests/j/JayPrall/ColorCop/5.5.7/JayPrall.ColorCop.locale.en-GB.yaml @@ -0,0 +1,18 @@ +# Created with WinGet Releaser using komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.locale.1.12.0.schema.json + +PackageIdentifier: JayPrall.ColorCop +PackageVersion: 5.5.7 +PackageLocale: en-GB +Publisher: Jay Prall +PackageName: Color Cop +PackageUrl: https://github.com/ColorCop/ColorCop +License: MIT +ShortDescription: A Windows-based colour picker utility built with Microsoft Foundation Classes (MFC). +Tags: +- color-picker +- colorpicker +- colour-picker +- colourpicker +ManifestType: locale +ManifestVersion: 1.12.0 diff --git a/manifests/j/JayPrall/ColorCop/5.5.7/JayPrall.ColorCop.locale.en-US.yaml b/manifests/j/JayPrall/ColorCop/5.5.7/JayPrall.ColorCop.locale.en-US.yaml new file mode 100644 index 0000000000000..9337c5cf6259c --- /dev/null +++ b/manifests/j/JayPrall/ColorCop/5.5.7/JayPrall.ColorCop.locale.en-US.yaml @@ -0,0 +1,49 @@ +# Created with WinGet Releaser using komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.12.0.schema.json + +PackageIdentifier: JayPrall.ColorCop +PackageVersion: 5.5.7 +PackageLocale: en-US +Publisher: Jay Prall +PublisherUrl: https://github.com/ColorCop +PublisherSupportUrl: https://github.com/ColorCop/ColorCop/issues +PackageName: Color Cop +PackageUrl: https://github.com/ColorCop/ColorCop +License: MIT +LicenseUrl: https://github.com/ColorCop/ColorCop/blob/HEAD/LICENSE.txt +ShortDescription: A Windows-based color picker utility built with Microsoft Foundation Classes (MFC). +Tags: +- color-picker +- colorpicker +- colour-picker +- colourpicker +ReleaseNotes: |- + ColorCop Release + This release was generated automatically from tag v5.5.7. + The changelog and commit summary appear below. + What's Changed + - ci: rename choco workflow and add WinGet publish workflow by @j4y in #138 + - fix(ci/winget): use release-tag input and expose full tag in metadata by @j4y in #139 + - Document Chocolately and Wiinget post release actions by @j4y in #140 + - refactor(headers): modernize ColorCop headers and remove obsolete MFC… by @j4y in #141 + - chore(build): upgrade project to C++20 by @j4y in #142 + - fix(vcxproj): remove AdditionalManifestFiles to prevent duplicate man… by @j4y in #143 + - refactor: replace C-style casts with static_cast and simplify cpplint… by @j4y in #144 + - chore(deps): bump jdx/mise-action from 3 to 4 by @dependabot[bot] in #146 + - chore(deps): bump microsoft/setup-msbuild from 2 to 3 by @dependabot[bot] in #145 + - refactor(mfc): modernize PCH usage and replace legacy min/max helpers by @j4y in #147 + - Security policy by @j4y in #149 + - refactor(colorcop): fix ScreenToClient bug and correct prefix checks by @j4y in #150 + - Systray by @j4y in #151 + - refactor(color): modernize websafe snap logic and remove narrowing wa… by @j4y in #152 + - chore(vcxproj): add unicode, sdk pin, caret diagnostics and conforman… by @j4y in #153 + - refactor(ui): modernize OnInitDialog and label font flags by @j4y in #155 + - chore: build on push to main by @j4y in #156 + - Refactor default settings and add logging by @j4y in #157 + - Remove unused by @j4y in #158 + - fix(color): replace incorrect CMY math with proper RGB→CMYK conversio… by @j4y in #159 + - Release 5.5.7 by @j4y in #160 + Full Changelog: v5.5.6...v5.5.7 +ReleaseNotesUrl: https://github.com/ColorCop/ColorCop/releases/tag/v5.5.7 +ManifestType: defaultLocale +ManifestVersion: 1.12.0 diff --git a/manifests/j/JayPrall/ColorCop/5.5.7/JayPrall.ColorCop.yaml b/manifests/j/JayPrall/ColorCop/5.5.7/JayPrall.ColorCop.yaml new file mode 100644 index 0000000000000..bce93d77741df --- /dev/null +++ b/manifests/j/JayPrall/ColorCop/5.5.7/JayPrall.ColorCop.yaml @@ -0,0 +1,8 @@ +# Created with WinGet Releaser using komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.12.0.schema.json + +PackageIdentifier: JayPrall.ColorCop +PackageVersion: 5.5.7 +DefaultLocale: en-US +ManifestType: version +ManifestVersion: 1.12.0 diff --git a/manifests/j/Jellyfin2Samsung/Jellyfin2Samsung/2.2.0.7/Jellyfin2Samsung.Jellyfin2Samsung.installer.yaml b/manifests/j/Jellyfin2Samsung/Jellyfin2Samsung/2.2.0.7/Jellyfin2Samsung.Jellyfin2Samsung.installer.yaml new file mode 100644 index 0000000000000..b208315eced4d --- /dev/null +++ b/manifests/j/Jellyfin2Samsung/Jellyfin2Samsung/2.2.0.7/Jellyfin2Samsung.Jellyfin2Samsung.installer.yaml @@ -0,0 +1,21 @@ +# Created with WinGet Releaser using komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.12.0.schema.json + +PackageIdentifier: Jellyfin2Samsung.Jellyfin2Samsung +PackageVersion: 2.2.0.7 +InstallerLocale: en-US +InstallerType: wix +Scope: machine +ProductCode: '{68C73DF4-1FA4-4ABE-A73F-23EB84BD4354}' +ReleaseDate: 2026-04-11 +AppsAndFeaturesEntries: +- ProductCode: '{68C73DF4-1FA4-4ABE-A73F-23EB84BD4354}' + UpgradeCode: '{6F3E2A1B-4C5D-4E6F-A7B8-9C0D1E2F3A4B}' +InstallationMetadata: + DefaultInstallLocation: '%ProgramFiles%\Jellyfin2Samsung\Assets' +Installers: +- Architecture: x64 + InstallerUrl: https://github.com/Jellyfin2Samsung/Samsung-Jellyfin-Installer/releases/download/v2.2.0.7/Jellyfin2Samsung-v2.2.0.7-win-x64.msi + InstallerSha256: A42A9875FA81D5D600D4FF9E706BCCF0959BD0C90C0FADF3F49F050814201B17 +ManifestType: installer +ManifestVersion: 1.12.0 diff --git a/manifests/j/Jellyfin2Samsung/Jellyfin2Samsung/2.2.0.7/Jellyfin2Samsung.Jellyfin2Samsung.locale.en-US.yaml b/manifests/j/Jellyfin2Samsung/Jellyfin2Samsung/2.2.0.7/Jellyfin2Samsung.Jellyfin2Samsung.locale.en-US.yaml new file mode 100644 index 0000000000000..a94aa973be425 --- /dev/null +++ b/manifests/j/Jellyfin2Samsung/Jellyfin2Samsung/2.2.0.7/Jellyfin2Samsung.Jellyfin2Samsung.locale.en-US.yaml @@ -0,0 +1,43 @@ +# Created with WinGet Releaser using komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.12.0.schema.json + +PackageIdentifier: Jellyfin2Samsung.Jellyfin2Samsung +PackageVersion: 2.2.0.7 +PackageLocale: en-US +Publisher: Jellyfin2Samsung +PublisherUrl: https://github.com/Jellyfin2Samsung +PublisherSupportUrl: https://github.com/Jellyfin2Samsung/Samsung-Jellyfin-Installer/issues +PackageName: Jellyfin2Samsung +PackageUrl: https://github.com/Jellyfin2Samsung/Samsung-Jellyfin-Installer +License: MIT +LicenseUrl: https://github.com/Jellyfin2Samsung/Samsung-Jellyfin-Installer/blob/HEAD/LICENSE +ShortDescription: Bridge tool to install Jellyfin on all Samsung Tizen Devices +Tags: +- jellyfin +- jellyfin-tizen +- sdb +- tizen +- tizen-studio +- tizen-tv +ReleaseNotes: |- + 📦 [v2.2.0.7] – 2026-04-11 + ✅ What's New & Improved + - NixOS Shell added by @Confused-Engineer #321 + - Merged capability calls to prevent unexpected connection error #318 + - CustomWGT Path cleared after installation #320 + ─────────────────────┬─────────┬─────────────── + Platform │Status │Notes + ─────────────────────┼─────────┼─────────────── + 🍎 macOS (.app + dmg)│✅ Stable│ARM64 + Intel + ─────────────────────┼─────────┼─────────────── + 🍎 macOS (CLI) │✅ Stable│Per-arch tar.gz + ─────────────────────┼─────────┼─────────────── + 🐧 Linux │✅ Stable│tar.gz / .deb + ─────────────────────┼─────────┼─────────────── + 🪟 Windows │✅ Stable│CI-built + ─────────────────────┴─────────┴─────────────── + 🛡️ Security Notice + Antivirus warnings may occur and are likely false positives. +ReleaseNotesUrl: https://github.com/Jellyfin2Samsung/Samsung-Jellyfin-Installer/releases/tag/v2.2.0.7 +ManifestType: defaultLocale +ManifestVersion: 1.12.0 diff --git a/manifests/j/Jellyfin2Samsung/Jellyfin2Samsung/2.2.0.7/Jellyfin2Samsung.Jellyfin2Samsung.yaml b/manifests/j/Jellyfin2Samsung/Jellyfin2Samsung/2.2.0.7/Jellyfin2Samsung.Jellyfin2Samsung.yaml new file mode 100644 index 0000000000000..33b68ad2e815f --- /dev/null +++ b/manifests/j/Jellyfin2Samsung/Jellyfin2Samsung/2.2.0.7/Jellyfin2Samsung.Jellyfin2Samsung.yaml @@ -0,0 +1,8 @@ +# Created with WinGet Releaser using komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.12.0.schema.json + +PackageIdentifier: Jellyfin2Samsung.Jellyfin2Samsung +PackageVersion: 2.2.0.7 +DefaultLocale: en-US +ManifestType: version +ManifestVersion: 1.12.0 diff --git a/manifests/j/JinweiZhiguang/MasterGo/1.10.6/JinweiZhiguang.MasterGo.locale.en-US.yaml b/manifests/j/JinweiZhiguang/MasterGo/1.10.6/JinweiZhiguang.MasterGo.locale.en-US.yaml index e474c65598003..4c982ba0befe4 100644 --- a/manifests/j/JinweiZhiguang/MasterGo/1.10.6/JinweiZhiguang.MasterGo.locale.en-US.yaml +++ b/manifests/j/JinweiZhiguang/MasterGo/1.10.6/JinweiZhiguang.MasterGo.locale.en-US.yaml @@ -14,7 +14,7 @@ PackageUrl: https://mastergo.com/resource License: Proprietary LicenseUrl: https://mastergo.com/serviceAgreement Copyright: Copyright © 2025 Beijing Jinwei Zhiguang Information Technology Co., Ltd. -ShortDescription: Professional UI/UX design tool for teams +ShortDescription: Professional UI/UX design tool for teams. Description: MasterGo is a one-stop online product design tool for team collaboration, which supports multi-user real-time collaboration and features online product design, prototype building and design, web development design, interaction design, etc. It helps build a design system quickly and provides product designers, interaction designers, engineers and product managers with a simpler and more flexible working mode. Tags: - design @@ -30,6 +30,8 @@ Tags: - user-interface - ux - wireframe +- prc +- china ReleaseNotesUrl: https://mastergo.com/updateRecord PurchaseUrl: https://mastergo.com/pricing Documentations: diff --git a/manifests/k/Kingdee/CloudHub/5.0.5/Kingdee.CloudHub.locale.en-US.yaml b/manifests/k/Kingdee/CloudHub/5.0.5/Kingdee.CloudHub.locale.en-US.yaml index c78d301b45b1d..e946eb2331b6e 100644 --- a/manifests/k/Kingdee/CloudHub/5.0.5/Kingdee.CloudHub.locale.en-US.yaml +++ b/manifests/k/Kingdee/CloudHub/5.0.5/Kingdee.CloudHub.locale.en-US.yaml @@ -14,7 +14,7 @@ PackageUrl: https://www.yunzhijia.com/home/?m=open&a=download License: Proprietary LicenseUrl: https://www.yunzhijia.com/public/agreement/client-agreement.html Copyright: Copyright © 1993 - 2026 CloudHub. All Rights Reserved. -ShortDescription: New Generation Intelligent Collaborative Cloud Service +ShortDescription: New Generation Intelligent Collaborative Cloud Service. Description: Cloud Hub is a new generation intelligent collaborative cloud service for enterprises aimed at replacing traditional applications such as OA, portal, approval and attendance, and fully adapted to Chinese information technology application innovation ecology. According to IDC's data, Cloud Hub has maintained its position as the market leader in China's enterprise collaborative SaaS market for five consecutive years. Typical customers include top enterprises from various industries such as China South Industries Group Corporation, HBIS Group, OPPO, Country Garden and HMN Tech, as well as medium and large enterprises and specialized innovative enterprises like Intellifusion, Chu's Agriculture and Hunan Lihe. Tags: - attendance @@ -31,6 +31,8 @@ Tags: - office - saas - working +- prc +- china PurchaseUrl: https://www.yunzhijia.com/yzjomc-web/ ManifestType: defaultLocale ManifestVersion: 1.12.0 diff --git a/manifests/k/KitLib/Kite/0.2.0/KitLib.Kite.locale.en-US.yaml b/manifests/k/KitLib/Kite/0.2.0/KitLib.Kite.locale.en-US.yaml index e908ac2d7e5de..16cfa451620cf 100644 --- a/manifests/k/KitLib/Kite/0.2.0/KitLib.Kite.locale.en-US.yaml +++ b/manifests/k/KitLib/Kite/0.2.0/KitLib.Kite.locale.en-US.yaml @@ -12,7 +12,7 @@ PackageName: kite PackageUrl: https://kite.kitlib.cn/ License: Proprietary Copyright: © 2024 - Kite Todo. All rights reserved. -ShortDescription: A to-do app for minimalists +ShortDescription: A to-do app for minimalists. Description: Kite To-Do is a lightweight and streamlined to-do app for planning by day with no ads and no login required. It focuses on privacy and stores data locally. It supports pomodoro, countdown, exporting to Markdown and more. Tags: - calendar @@ -22,5 +22,7 @@ Tags: - task - to-do - todo +- prc +- china ManifestType: defaultLocale ManifestVersion: 1.10.0 diff --git a/manifests/k/Krisp/Krisp/.validation b/manifests/k/Krisp/Krisp/.validation deleted file mode 100644 index 2d014b9b5dbcf..0000000000000 --- a/manifests/k/Krisp/Krisp/.validation +++ /dev/null @@ -1 +0,0 @@ -{"ValidationVersion":"1.0.0","Waivers":[{"WaiverId":"09e7afa9-4aa7-46f8-b897-95c63fc731c9","TestPlan":"Validation-Executable-Error","PackagePath":"manifests/k/Krisp/Krisp/1.31.3"}]} \ No newline at end of file diff --git a/manifests/l/Lenovo/SUHelper/10.2501.15.0/Lenovo.SUHelper.installer.yaml b/manifests/l/Lenovo/SUHelper/10.2501.15.0/Lenovo.SUHelper.installer.yaml deleted file mode 100644 index caf1ec723919f..0000000000000 --- a/manifests/l/Lenovo/SUHelper/10.2501.15.0/Lenovo.SUHelper.installer.yaml +++ /dev/null @@ -1,15 +0,0 @@ -# Created using wingetcreate 1.9.4.0 -# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.9.0.schema.json - -PackageIdentifier: Lenovo.SUHelper -PackageVersion: 10.2501.15.0 -InstallerType: zip -NestedInstallerType: inno -NestedInstallerFiles: -- RelativeFilePath: SystemUpdate\SUHelperSetup.exe -Installers: -- Architecture: x64 - InstallerUrl: https://download.lenovo.com/pccbbs/thinkvantage_en/metroapps/Vantage/LenovoCommercialVantage_10.2501.15.0_v3.zip - InstallerSha256: 1EF936315A2AC7FC326E18709D1F5C314EEC2670411FFAFD5E27BD809BA61036 -ManifestType: installer -ManifestVersion: 1.9.0 diff --git a/manifests/l/Lenovo/SUHelper/10.2501.15.0/Lenovo.SUHelper.locale.en-US.yaml b/manifests/l/Lenovo/SUHelper/10.2501.15.0/Lenovo.SUHelper.locale.en-US.yaml deleted file mode 100644 index dfffb00870c16..0000000000000 --- a/manifests/l/Lenovo/SUHelper/10.2501.15.0/Lenovo.SUHelper.locale.en-US.yaml +++ /dev/null @@ -1,18 +0,0 @@ -# Created using wingetcreate 1.9.4.0 -# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.9.0.schema.json - -PackageIdentifier: Lenovo.SUHelper -PackageVersion: 10.2501.15.0 -PackageLocale: en-US -Publisher: Lenovo -PublisherUrl: https://www.lenovo.com/ -PrivacyUrl: https://www.lenovo.com/us/en/privacy/ -PackageName: SUHelper -License: Proprietary -LicenseUrl: https://download.lenovo.com/lenovo/lla/coe-30002-01_lenovo_license_agreement.pdf -ShortDescription: SUHelper addin for Lenovo Commercial Vantage -Tags: -- vantage -- suhelper -ManifestType: defaultLocale -ManifestVersion: 1.9.0 diff --git a/manifests/l/Lenovo/SUHelper/10.2501.15.0/Lenovo.SUHelper.yaml b/manifests/l/Lenovo/SUHelper/10.2501.15.0/Lenovo.SUHelper.yaml deleted file mode 100644 index 8f73437d1cc79..0000000000000 --- a/manifests/l/Lenovo/SUHelper/10.2501.15.0/Lenovo.SUHelper.yaml +++ /dev/null @@ -1,8 +0,0 @@ -# Created using wingetcreate 1.9.4.0 -# yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.9.0.schema.json - -PackageIdentifier: Lenovo.SUHelper -PackageVersion: 10.2501.15.0 -DefaultLocale: en-US -ManifestType: version -ManifestVersion: 1.9.0 diff --git a/manifests/m/Microsoft/SafetyScanner/1.449.29.0/Microsoft.SafetyScanner.installer.yaml b/manifests/m/Microsoft/SafetyScanner/1.449.29.0/Microsoft.SafetyScanner.installer.yaml index 8a777c933b143..a6adb51acfa8b 100644 --- a/manifests/m/Microsoft/SafetyScanner/1.449.29.0/Microsoft.SafetyScanner.installer.yaml +++ b/manifests/m/Microsoft/SafetyScanner/1.449.29.0/Microsoft.SafetyScanner.installer.yaml @@ -1,24 +1,18 @@ -# Created with komac v2.16.0 +# Created by Anthelion using komac v2.16.0 # yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.12.0.schema.json PackageIdentifier: Microsoft.SafetyScanner PackageVersion: 1.449.29.0 InstallerType: portable -ReleaseDate: 2026-04-10 +Commands: +- safetyscanner +ReleaseDate: 2026-04-11 Installers: - Architecture: x86 - InstallerUrl: https://go.microsoft.com/fwlink/?LinkId=212733 + InstallerUrl: https://definitionupdates.microsoft.com/packages/content/msert.exe?packageType=Scanner&packageVersion=1.449.29.0&arch=x86 InstallerSha256: 964B01AEA85079ADF8919EE455C8D4E8CF9515A652277A99C62F37009C723DB3 - Commands: - - safetyscanner86 - AppsAndFeaturesEntries: - - DisplayName: Microsoft Safety Scanner (x86) - Architecture: x64 - InstallerUrl: https://go.microsoft.com/fwlink/?LinkId=212732 + InstallerUrl: https://definitionupdates.microsoft.com/packages/content/msert.exe?packageType=Scanner&packageVersion=1.449.29.0&arch=amd64 InstallerSha256: 8A0B164EEAA3B25FB7EA32A776248182D0299945CCD1DC5ADC904C305B77CF6F - Commands: - - safetyscanner - AppsAndFeaturesEntries: - - DisplayName: Microsoft Safety Scanner (x64) ManifestType: installer ManifestVersion: 1.12.0 diff --git a/manifests/m/Microsoft/SafetyScanner/1.449.29.0/Microsoft.SafetyScanner.locale.en-US.yaml b/manifests/m/Microsoft/SafetyScanner/1.449.29.0/Microsoft.SafetyScanner.locale.en-US.yaml index b8b83331f9c1d..d4a6d7e45e499 100644 --- a/manifests/m/Microsoft/SafetyScanner/1.449.29.0/Microsoft.SafetyScanner.locale.en-US.yaml +++ b/manifests/m/Microsoft/SafetyScanner/1.449.29.0/Microsoft.SafetyScanner.locale.en-US.yaml @@ -1,4 +1,4 @@ -# Created with komac v2.16.0 +# Created by Anthelion using komac v2.16.0 # yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.12.0.schema.json PackageIdentifier: Microsoft.SafetyScanner @@ -7,20 +7,17 @@ PackageLocale: en-US Publisher: Microsoft Corporation PackageName: Microsoft Safety Scanner PackageUrl: https://learn.microsoft.com/en-us/defender-endpoint/safety-scanner-download -License: Proprietary (Freeware) +License: Proprietary Copyright: © Microsoft Corporation. All rights reserved. ShortDescription: A scan tool designed to find and remove malware from Windows computers. Download it and run a scan to find malware and try to reverse changes made by identified threats. Description: |- A scan tool designed to find and remove malware from Windows computers. Download it and run a scan to find malware and try to reverse changes made by identified threats. - + The tool uses the same security intelligence update definitions as (among others) Microsoft Defender Antivirus. Safety Scanner does however not have an internal definition update checker, but does get app updates every 3-4 hours. Thus, the Winget package may lag some days behind Windows Update + Microsoft Defender Antivirus. Tags: - microsoft-defender-antivirus - microsoft-safety-scanner -- microsoftdefenderantivirus -- microsoftsafetyscanner - msert - windows-security -- windowssecurity ManifestType: defaultLocale ManifestVersion: 1.12.0 diff --git a/manifests/m/Microsoft/SafetyScanner/1.449.29.0/Microsoft.SafetyScanner.yaml b/manifests/m/Microsoft/SafetyScanner/1.449.29.0/Microsoft.SafetyScanner.yaml index 2d901ffa10a4e..5a147e9123245 100644 --- a/manifests/m/Microsoft/SafetyScanner/1.449.29.0/Microsoft.SafetyScanner.yaml +++ b/manifests/m/Microsoft/SafetyScanner/1.449.29.0/Microsoft.SafetyScanner.yaml @@ -1,4 +1,4 @@ -# Created with komac v2.16.0 +# Created by Anthelion using komac v2.16.0 # yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.12.0.schema.json PackageIdentifier: Microsoft.SafetyScanner diff --git a/manifests/m/Microsoft/Skype/.validation b/manifests/m/Microsoft/Skype/.validation deleted file mode 100644 index a70c1c605142b..0000000000000 --- a/manifests/m/Microsoft/Skype/.validation +++ /dev/null @@ -1 +0,0 @@ -{"ValidationVersion":"1.0.0","Waivers":[{"WaiverId":"59f9b435-d174-412b-b9a6-2c2744a45dd8","TestPlan":"Policy-Test-2.5","PackagePath":"manifests/m/Microsoft/Skype/8.138","CommitId":"5c84b42d5d137ea196bd34a8e8d647aad05e19bd"}],"InstallationVerification":{"Executables":[]}} \ No newline at end of file diff --git a/manifests/m/ModelScope/FlowBench/0.6.0/ModelScope.FlowBench.locale.en-US.yaml b/manifests/m/ModelScope/FlowBench/0.6.0/ModelScope.FlowBench.locale.en-US.yaml index 49d197b819369..cd6b981417448 100644 --- a/manifests/m/ModelScope/FlowBench/0.6.0/ModelScope.FlowBench.locale.en-US.yaml +++ b/manifests/m/ModelScope/FlowBench/0.6.0/ModelScope.FlowBench.locale.en-US.yaml @@ -10,10 +10,14 @@ License: Proprietary LicenseUrl: https://www.modelscope.cn/protocol/terms-privacy-policy Copyright: © 2022-2025 ModelScope.cn all rights reserved CopyrightUrl: https://www.modelscope.cn/protocol/terms-privacy-policy -ShortDescription: One-stop AI creativity platform +ShortDescription: One-stop AI creativity platform. Tags: - ai - comfy - comfyui +- artificial-intelligence +- artificialintelligence +- prc +- china ManifestType: locale ManifestVersion: 1.10.0 diff --git a/manifests/n/NetEase/CloudMusic/3.1.30.205130/NetEase.CloudMusic.locale.en-US.yaml b/manifests/n/NetEase/CloudMusic/3.1.30.205130/NetEase.CloudMusic.locale.en-US.yaml index 33545a807dff6..dd381759dd3a2 100644 --- a/manifests/n/NetEase/CloudMusic/3.1.30.205130/NetEase.CloudMusic.locale.en-US.yaml +++ b/manifests/n/NetEase/CloudMusic/3.1.30.205130/NetEase.CloudMusic.locale.en-US.yaml @@ -1,4 +1,3 @@ -# Created with YamlCreate.ps1 Dumplings Mod # yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.12.0.schema.json PackageIdentifier: NetEase.CloudMusic @@ -14,7 +13,7 @@ PackageUrl: https://music.163.com/#/download License: Proprietary LicenseUrl: https://st.music.163.com/official-terms/service Copyright: © NetEase Corporation. All rights reserved. -ShortDescription: A music product focused on discovery and sharing +ShortDescription: A music product focused on discovery and sharing. Description: NetEase CloudMusic is one of the most popular music streaming platforms among young users and the leading music community in the industry. In NetEase CloudMusic, you can not only listen to a large number of genuine music, but also meet music-loving partners like you. Use music to connect each other and convey the power of pleasure. Tags: - album @@ -26,6 +25,8 @@ Tags: - playlist - song - sound +- prc +- china ReleaseNotesUrl: https://music.163.com/#/pcupdatelog ManifestType: defaultLocale ManifestVersion: 1.12.0 diff --git a/manifests/n/Nutstore/Nutstore/7.2.3/Nutstore.Nutstore.locale.en-US.yaml b/manifests/n/Nutstore/Nutstore/7.2.3/Nutstore.Nutstore.locale.en-US.yaml index 9f3bd80f7ada6..d46b8bdc7fcf7 100644 --- a/manifests/n/Nutstore/Nutstore/7.2.3/Nutstore.Nutstore.locale.en-US.yaml +++ b/manifests/n/Nutstore/Nutstore/7.2.3/Nutstore.Nutstore.locale.en-US.yaml @@ -1,4 +1,3 @@ -# Created with YamlCreate.ps1 Dumplings Mod # yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.9.0.schema.json PackageIdentifier: Nutstore.Nutstore @@ -14,7 +13,7 @@ PackageUrl: https://www.jianguoyun.com/s/downloads License: Proprietary LicenseUrl: https://help.jianguoyun.com/?page_id=490#jpte Copyright: ©2011-2024 Shanghai YiCun Network Tech Co., Ltd. -ShortDescription: Share your files anytime, anywhere, with any device +ShortDescription: Share your files anytime, anywhere, with any device. Description: Nutstore is a free cloud storage service that helps you access your files anywhere at any time and share them with friends easily. Moniker: jianguoyun Tags: @@ -29,5 +28,7 @@ Tags: - sync - upload - webdav +- prc +- china ManifestType: defaultLocale ManifestVersion: 1.9.0 diff --git a/manifests/n/Nvidia/GeForceExperience/.validation b/manifests/n/Nvidia/GeForceExperience/.validation deleted file mode 100644 index 87442b5a333c4..0000000000000 --- a/manifests/n/Nvidia/GeForceExperience/.validation +++ /dev/null @@ -1 +0,0 @@ -{"ValidationVersion":"1.0.0","Waivers":[{"WaiverId":"4012b470-237a-43ea-b144-da820c1217c4","TestPlan":"Validation-No-Executables","PackagePath":"manifests/n/Nvidia/GeForceExperience/3.24.0.123"}]} \ No newline at end of file diff --git a/manifests/o/OOMOL/OOMOLStudio/1.5.3/OOMOL.OOMOLStudio.installer.yaml b/manifests/o/OOMOL/OOMOLStudio/1.5.3/OOMOL.OOMOLStudio.installer.yaml new file mode 100644 index 0000000000000..85abb670a5f68 --- /dev/null +++ b/manifests/o/OOMOL/OOMOLStudio/1.5.3/OOMOL.OOMOLStudio.installer.yaml @@ -0,0 +1,20 @@ +# Created with YamlCreate.ps1 Dumplings Mod +# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.12.0.schema.json + +PackageIdentifier: OOMOL.OOMOLStudio +PackageVersion: 1.5.3 +InstallerType: inno +Scope: user +InstallerSwitches: + Custom: /mergetasks=!runcode +UpgradeBehavior: install +Protocols: +- oomol +ProductCode: '{CC6B787D-37A0-49E8-AE24-8559A032BE0C}_is1' +ReleaseDate: 2026-04-11 +Installers: +- Architecture: x64 + InstallerUrl: https://static.oomol.com/release/stable/win32/x64/OOMOL%20Studio-1.5.3-2026-04-11.19.exe + InstallerSha256: 1DE2C640BA50D7DFCF8DC6BAC89EDDE9A715DB01209FCB62E0E75ECBF5916810 +ManifestType: installer +ManifestVersion: 1.12.0 diff --git a/manifests/o/OOMOL/OOMOLStudio/1.5.3/OOMOL.OOMOLStudio.locale.en-US.yaml b/manifests/o/OOMOL/OOMOLStudio/1.5.3/OOMOL.OOMOLStudio.locale.en-US.yaml new file mode 100644 index 0000000000000..ecdee66cf483c --- /dev/null +++ b/manifests/o/OOMOL/OOMOLStudio/1.5.3/OOMOL.OOMOLStudio.locale.en-US.yaml @@ -0,0 +1,34 @@ +# Created with YamlCreate.ps1 Dumplings Mod +# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.12.0.schema.json + +PackageIdentifier: OOMOL.OOMOLStudio +PackageVersion: 1.5.3 +PackageLocale: en-US +Publisher: OOMOL Corporation +PublisherUrl: https://oomol.com/ +PublisherSupportUrl: https://oomol.com/support/ +PrivacyUrl: https://oomol.com/privacy/ +Author: Hangzhou Kene Software Co., Ltd. +PackageName: OOMOL Studio +PackageUrl: https://oomol.com/downloads/ +License: Proprietary +LicenseUrl: https://oomol.com/terms/ +Copyright: Copyright © 2026 OOMOL Contributors. +CopyrightUrl: https://oomol.com/terms/ +ShortDescription: AI Workflow IDE +Description: Oomol Studio makes it easy to connect code snippets and API services through intuitive visual interactions +Tags: +- ai +- code +- coding +- develop +- development +- editing +- editor +- programming +ReleaseNotesUrl: https://oomol.com/updates +Documentations: +- DocumentLabel: Docs + DocumentUrl: https://oomol.com/docs/get-started/quickstarts +ManifestType: defaultLocale +ManifestVersion: 1.12.0 diff --git a/manifests/o/OOMOL/OOMOLStudio/1.5.3/OOMOL.OOMOLStudio.locale.zh-CN.yaml b/manifests/o/OOMOL/OOMOLStudio/1.5.3/OOMOL.OOMOLStudio.locale.zh-CN.yaml new file mode 100644 index 0000000000000..f96408862a2ae --- /dev/null +++ b/manifests/o/OOMOL/OOMOLStudio/1.5.3/OOMOL.OOMOLStudio.locale.zh-CN.yaml @@ -0,0 +1,31 @@ +# Created with YamlCreate.ps1 Dumplings Mod +# yaml-language-server: $schema=https://aka.ms/winget-manifest.locale.1.12.0.schema.json + +PackageIdentifier: OOMOL.OOMOLStudio +PackageVersion: 1.5.3 +PackageLocale: zh-CN +PublisherUrl: https://oomol.com/zh-CN/ +PublisherSupportUrl: https://oomol.com/zh-CN/support/ +PrivacyUrl: https://oomol.com/zh-CN/privacy/ +Author: 杭州可讷软件有限公司 +PackageUrl: https://oomol.com/zh-CN/downloads +License: 专有软件 +LicenseUrl: https://oomol.com/zh-CN/terms/ +CopyrightUrl: https://oomol.com/zh-CN/terms/ +ShortDescription: AI 工作流 IDE +Description: Oomol Studio 通过直观的视觉交互轻松连接代码片段和 API 服务,帮助用户缩短从想法到产品的距离 +Tags: +- ai +- 人工智能 +- 代码 +- 开发 +- 悟墨 +- 编程 +- 编辑 +- 编辑器 +ReleaseNotesUrl: https://oomol.com/zh-CN/updates +Documentations: +- DocumentLabel: 文档 + DocumentUrl: https://oomol.com/zh-CN/docs/get-started/quickstarts +ManifestType: locale +ManifestVersion: 1.12.0 diff --git a/manifests/o/OOMOL/OOMOLStudio/1.5.3/OOMOL.OOMOLStudio.yaml b/manifests/o/OOMOL/OOMOLStudio/1.5.3/OOMOL.OOMOLStudio.yaml new file mode 100644 index 0000000000000..512f86012c9b3 --- /dev/null +++ b/manifests/o/OOMOL/OOMOLStudio/1.5.3/OOMOL.OOMOLStudio.yaml @@ -0,0 +1,8 @@ +# Created with YamlCreate.ps1 Dumplings Mod +# yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.12.0.schema.json + +PackageIdentifier: OOMOL.OOMOLStudio +PackageVersion: 1.5.3 +DefaultLocale: en-US +ManifestType: version +ManifestVersion: 1.12.0 diff --git a/manifests/p/Postman/Postman/Canary/11.2.14-canary240621-0734/Postman.Postman.Canary.installer.yaml b/manifests/p/Postman/Postman/Canary/11.2.14-canary240621-0734/Postman.Postman.Canary.installer.yaml deleted file mode 100644 index ba4fb092625c5..0000000000000 --- a/manifests/p/Postman/Postman/Canary/11.2.14-canary240621-0734/Postman.Postman.Canary.installer.yaml +++ /dev/null @@ -1,18 +0,0 @@ -# Automatically updated by the winget bot at 2024/Jun/21 -# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.5.0.schema.json - -PackageIdentifier: Postman.Postman.Canary -PackageVersion: 11.2.14-canary240621-0734 -MinimumOSVersion: 10.0.0.0 -InstallerType: exe -InstallerSwitches: - Silent: -s - SilentWithProgress: -s -UpgradeBehavior: install -Installers: -- Architecture: neutral - InstallerUrl: https://dl.pstmn.io/download/channel/canary/windows_64 - InstallerSha256: 223481D29E0572A698797F229B03EA2C1FFD98BED3122404D8003EC6D299C1EB - ProductCode: 'PostmanCanary' -ManifestType: installer -ManifestVersion: 1.5.0 diff --git a/manifests/p/Postman/Postman/Canary/11.2.14-canary240621-0734/Postman.Postman.Canary.locale.en-US.yaml b/manifests/p/Postman/Postman/Canary/11.2.14-canary240621-0734/Postman.Postman.Canary.locale.en-US.yaml deleted file mode 100644 index 27958d3460dc6..0000000000000 --- a/manifests/p/Postman/Postman/Canary/11.2.14-canary240621-0734/Postman.Postman.Canary.locale.en-US.yaml +++ /dev/null @@ -1,23 +0,0 @@ -# Automatically updated by the winget bot at 2024/Jun/21 -# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.5.0.schema.json - -PackageIdentifier: Postman.Postman.Canary -PackageVersion: 11.2.14-canary240621-0734 -PackageLocale: en-US -Publisher: Postman -PublisherUrl: https://www.postman.com/ -PublisherSupportUrl: https://www.postman.com/support -PrivacyUrl: https://www.postman.com/legal/privacy-policy -PackageName: PostmanCanary -PackageUrl: https://www.postman.com/ -License: Proprietary -LicenseUrl: https://www.postman.com/legal/terms/ -Copyright: Copyright (c) 2021 Postman, Inc. All rights reserved. -ShortDescription: API platform for building and using APIs -Description: Postman is a collaboration platform for API development. Postman's features simplify each step of building an API and streamline collaboration so you can create better APIs — faster. -Moniker: postman-canary -Tags: -- api -- development -ManifestType: defaultLocale -ManifestVersion: 1.5.0 diff --git a/manifests/p/Postman/Postman/Canary/11.2.14-canary240621-0734/Postman.Postman.Canary.yaml b/manifests/p/Postman/Postman/Canary/11.2.14-canary240621-0734/Postman.Postman.Canary.yaml deleted file mode 100644 index a9bcc460a8d27..0000000000000 --- a/manifests/p/Postman/Postman/Canary/11.2.14-canary240621-0734/Postman.Postman.Canary.yaml +++ /dev/null @@ -1,8 +0,0 @@ -# Automatically updated by the winget bot at 2024/Jun/21 -# yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.5.0.schema.json - -PackageIdentifier: Postman.Postman.Canary -PackageVersion: 11.2.14-canary240621-0734 -DefaultLocale: en-US -ManifestType: version -ManifestVersion: 1.5.0 diff --git a/manifests/q/qr243vbi/NekoBox/5.10.36/qr243vbi.NekoBox.installer.yaml b/manifests/q/qr243vbi/NekoBox/5.10.36/qr243vbi.NekoBox.installer.yaml new file mode 100644 index 0000000000000..774dec95478c8 --- /dev/null +++ b/manifests/q/qr243vbi/NekoBox/5.10.36/qr243vbi.NekoBox.installer.yaml @@ -0,0 +1,30 @@ +# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.10.0.schema.json + +PackageIdentifier: qr243vbi.NekoBox +PackageVersion: 5.10.36 +InstallerLocale: en-US +InstallerType: nullsoft +Scope: user +ProductCode: NekoBox +ReleaseDate: 2026-04-11 +AppsAndFeaturesEntries: +- ProductCode: NekoBox + DisplayName: NekoBox + Publisher: qr243vbi +InstallModes: + - silentWithProgress + - silent +InstallerSwitches: + Silent: "/S /NOSCRIPT=1 /WINGET=1" + SilentWithProgress: "/S /NOSCRIPT=1 /WINGET=1" +InstallationMetadata: + DefaultInstallLocation: '%AppData%\NekoBox' +Installers: +- Architecture: x64 + InstallerUrl: https://github.com/qr243vbi/nekobox/releases/download/5.10.36/nekobox-5.10.36-windows64-installer.exe + InstallerSha256: 4071cce063c49f34b72a4de0071c92bf92cc2d668cd2eaa5f76682cace46463c +- Architecture: arm64 + InstallerUrl: https://github.com/qr243vbi/nekobox/releases/download/5.10.36/nekobox-5.10.36-windows-arm64-installer.exe + InstallerSha256: b41fc9fd76731d1e8ed128300a04511fa7d93a5bb460fb2e737dded9b693413d +ManifestType: installer +ManifestVersion: 1.10.0 diff --git a/manifests/q/qr243vbi/NekoBox/5.10.36/qr243vbi.NekoBox.locale.en-US.yaml b/manifests/q/qr243vbi/NekoBox/5.10.36/qr243vbi.NekoBox.locale.en-US.yaml new file mode 100644 index 0000000000000..4bd74e855a58b --- /dev/null +++ b/manifests/q/qr243vbi/NekoBox/5.10.36/qr243vbi.NekoBox.locale.en-US.yaml @@ -0,0 +1,31 @@ +# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.10.0.schema.json +PackageIdentifier: qr243vbi.NekoBox +PackageVersion: 5.10.36 +PackageLocale: en-US +Publisher: qr243vbi +PublisherUrl: https://github.com/qr243vbi +PublisherSupportUrl: https://github.com/qr243vbi/nekobox/issues +PackageName: NekoBox +PackageUrl: https://github.com/qr243vbi/nekobox +License: GPL-3.0 +LicenseUrl: https://github.com/qr243vbi/nekobox/blob/HEAD/LICENSE +ShortDescription: Cross-platform GUI proxy utility (Empowered by sing-box) +Tags: +- sing-box +- v2ray +- VLESS +- Vmess +- ShadowSocks +- Tor +- Mieru +- Trojan +- Hysteria +- Wireguard +- NyameBox +- TUIC +- SSH +- VPN +- ShadowTLS +- AnyTLS +ManifestType: defaultLocale +ManifestVersion: 1.10.0 \ No newline at end of file diff --git a/manifests/t/ThaUnknown/Miru/6.4.13/ThaUnknown.Miru.yaml b/manifests/q/qr243vbi/NekoBox/5.10.36/qr243vbi.NekoBox.yaml similarity index 52% rename from manifests/t/ThaUnknown/Miru/6.4.13/ThaUnknown.Miru.yaml rename to manifests/q/qr243vbi/NekoBox/5.10.36/qr243vbi.NekoBox.yaml index 58eefbcbefe65..311f6f5a03746 100644 --- a/manifests/t/ThaUnknown/Miru/6.4.13/ThaUnknown.Miru.yaml +++ b/manifests/q/qr243vbi/NekoBox/5.10.36/qr243vbi.NekoBox.yaml @@ -1,8 +1,7 @@ -# Created with komac v2.12.0 -# yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.10.0.schema.json - -PackageIdentifier: ThaUnknown.Miru -PackageVersion: 6.4.13 -DefaultLocale: en-US -ManifestType: version -ManifestVersion: 1.10.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.10.0.schema.json + +PackageIdentifier: qr243vbi.NekoBox +PackageVersion: 5.10.36 +DefaultLocale: en-US +ManifestType: version +ManifestVersion: 1.10.0 \ No newline at end of file diff --git a/manifests/r/REVENGE/StremioEnhanced/1.1.3/REVENGE.StremioEnhanced.installer.yaml b/manifests/r/REVENGE/StremioEnhanced/1.1.3/REVENGE.StremioEnhanced.installer.yaml new file mode 100644 index 0000000000000..21863860e9da1 --- /dev/null +++ b/manifests/r/REVENGE/StremioEnhanced/1.1.3/REVENGE.StremioEnhanced.installer.yaml @@ -0,0 +1,19 @@ +# Created using wingetcreate 1.12.8.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.12.0.schema.json + +PackageIdentifier: REVENGE.StremioEnhanced +PackageVersion: 1.1.3 +InstallerLocale: en-US +InstallerType: nullsoft +ProductCode: 4069370c-462a-53a0-8015-5cfc529c3919 +AppsAndFeaturesEntries: +- DisplayName: Stremio Enhanced + Publisher: REVENGE + ProductCode: 4069370c-462a-53a0-8015-5cfc529c3919 +Installers: +- Architecture: x64 + InstallerUrl: https://github.com/REVENGE977/stremio-enhanced/releases/download/v1.1.3/Stremio.Enhanced.Setup.1.1.3.exe + InstallerSha256: 7A9DF429A28CAC304511A239C88EAF5A73C7F32B8B8605E31097885CF3045D0C +ManifestType: installer +ManifestVersion: 1.12.0 +ReleaseDate: 2026-04-10 diff --git a/manifests/r/REVENGE/StremioEnhanced/1.1.3/REVENGE.StremioEnhanced.locale.en-US.yaml b/manifests/r/REVENGE/StremioEnhanced/1.1.3/REVENGE.StremioEnhanced.locale.en-US.yaml new file mode 100644 index 0000000000000..3be3f53c84010 --- /dev/null +++ b/manifests/r/REVENGE/StremioEnhanced/1.1.3/REVENGE.StremioEnhanced.locale.en-US.yaml @@ -0,0 +1,41 @@ +# Created using wingetcreate 1.12.8.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.12.0.schema.json + +PackageIdentifier: REVENGE.StremioEnhanced +PackageVersion: 1.1.3 +PackageLocale: en-US +Publisher: REVENGE977 +PublisherUrl: https://github.com/REVENGE977 +PublisherSupportUrl: https://github.com/REVENGE977/stremio-enhanced/issues +PackageName: Stremio Enhanced +PackageUrl: https://github.com/REVENGE977/stremio-enhanced +License: MIT +LicenseUrl: https://github.com/REVENGE977/stremio-enhanced/blob/HEAD/LICENSE.md +Copyright: Copyright © 2026 REVENGE +ShortDescription: Electron-based Stremio client with support for plugins and themes. This is a community project and is not affiliated with Stremio in any way. +Tags: +- customization +- discordrpc +- electron +- enhanced +- plugins +- stremio +- stremio-addon +- stremio-client +- stremio-enhanced +- stremio-local-addon-manager +- stremio-theme +- stremio-themes +- stremio-web +ReleaseNotes: |- + - Minor bug fix: Fixed community marketplace install/uninstall buttons not working. + - Minor bug fix: Fixed a bug where if the user uninstalls a theme from the community marketplace, the currently active theme would get disabled regardless of whether it's the theme they uninstalled or not. + - Minor bug fix: Fixed an issue where the app wouldn't fullscreen properly on Linux. + + +ReleaseNotesUrl: https://github.com/REVENGE977/stremio-enhanced/releases/tag/v1.1.3 +Documentations: +- DocumentLabel: Wiki + DocumentUrl: https://github.com/REVENGE977/stremio-enhanced/wiki +ManifestType: defaultLocale +ManifestVersion: 1.12.0 diff --git a/manifests/r/REVENGE/StremioEnhanced/1.1.3/REVENGE.StremioEnhanced.yaml b/manifests/r/REVENGE/StremioEnhanced/1.1.3/REVENGE.StremioEnhanced.yaml new file mode 100644 index 0000000000000..68d79713c099b --- /dev/null +++ b/manifests/r/REVENGE/StremioEnhanced/1.1.3/REVENGE.StremioEnhanced.yaml @@ -0,0 +1,8 @@ +# Created using wingetcreate 1.12.8.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.12.0.schema.json + +PackageIdentifier: REVENGE.StremioEnhanced +PackageVersion: 1.1.3 +DefaultLocale: en-US +ManifestType: version +ManifestVersion: 1.12.0 diff --git a/manifests/r/raphamorim/rio/0.3.5/raphamorim.rio.installer.yaml b/manifests/r/raphamorim/rio/0.3.5/raphamorim.rio.installer.yaml new file mode 100644 index 0000000000000..7fd2e9c38fd56 --- /dev/null +++ b/manifests/r/raphamorim/rio/0.3.5/raphamorim.rio.installer.yaml @@ -0,0 +1,39 @@ +# Created with WinGet Updater using komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.12.0.schema.json + +PackageIdentifier: raphamorim.rio +PackageVersion: 0.3.5 +InstallerLocale: en-US +InstallerType: wix +Scope: machine +InstallModes: +- interactive +- silent +- silentWithProgress +UpgradeBehavior: install +ReleaseDate: 2026-04-11 +InstallationMetadata: + DefaultInstallLocation: '%ProgramFiles%/Rio' +Installers: +- Architecture: x64 + InstallerUrl: https://github.com/raphamorim/rio/releases/download/v0.3.5/Rio-installer-x86_64.msi + InstallerSha256: 2DC90EEA6C8ECC18E3BFA7672DAE870F23988DF71289D259A1359943115482A5 + Dependencies: + PackageDependencies: + - PackageIdentifier: Microsoft.VCRedist.2015+.x64 + ProductCode: '{B1A795F7-D813-4254-BEC6-92FDDC534E23}' + AppsAndFeaturesEntries: + - ProductCode: '{B1A795F7-D813-4254-BEC6-92FDDC534E23}' + UpgradeCode: '{87C21C74-DBD5-4584-89D5-46D9CD0C40A8}' +- Architecture: arm64 + InstallerUrl: https://github.com/raphamorim/rio/releases/download/v0.3.5/Rio-installer-aarch64.msi + InstallerSha256: 7E63CCFB57E0EFF7CF11741631DC4D5233D315C0C19F48E368204EF65AA40546 + Dependencies: + PackageDependencies: + - PackageIdentifier: Microsoft.VCRedist.2015+.arm64 + ProductCode: '{738854C6-D3DF-48BD-85B8-F832C9A9E1D2}' + AppsAndFeaturesEntries: + - ProductCode: '{738854C6-D3DF-48BD-85B8-F832C9A9E1D2}' + UpgradeCode: '{87C21C74-DBD5-4584-89D5-46D9CD0C40A8}' +ManifestType: installer +ManifestVersion: 1.12.0 diff --git a/manifests/r/raphamorim/rio/0.3.5/raphamorim.rio.locale.en-US.yaml b/manifests/r/raphamorim/rio/0.3.5/raphamorim.rio.locale.en-US.yaml new file mode 100644 index 0000000000000..46a31775a25de --- /dev/null +++ b/manifests/r/raphamorim/rio/0.3.5/raphamorim.rio.locale.en-US.yaml @@ -0,0 +1,27 @@ +# Created with WinGet Updater using komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.12.0.schema.json + +PackageIdentifier: raphamorim.rio +PackageVersion: 0.3.5 +PackageLocale: en-US +Publisher: Raphael Amorim +PublisherUrl: https://github.com/raphamorim/rio +PublisherSupportUrl: https://github.com/raphamorim/rio/issues +Author: Raphael Amorim +PackageName: Rio +PackageUrl: https://github.com/raphamorim/rio +License: MIT +LicenseUrl: https://github.com/raphamorim/rio/blob/HEAD/LICENSE +Copyright: Copyright (c) 2022-present Raphael Amorim +CopyrightUrl: https://raw.githubusercontent.com/raphamorim/rio/main/LICENSE +ShortDescription: Rio terminal is a hardware-accelerated GPU terminal emulator, focusing to run in desktops and browsers. +Description: |- + Rio terminal is a hardware-accelerated GPU terminal emulator, focusing to run in desktops and browsers. + The supported platforms currently consist of BSD, Linux, MacOS and Windows. +Moniker: rio +Tags: +- cross-platform +- terminal +- terminal-emulators +ManifestType: defaultLocale +ManifestVersion: 1.12.0 diff --git a/manifests/r/raphamorim/rio/0.3.5/raphamorim.rio.yaml b/manifests/r/raphamorim/rio/0.3.5/raphamorim.rio.yaml new file mode 100644 index 0000000000000..bd8c2b726f670 --- /dev/null +++ b/manifests/r/raphamorim/rio/0.3.5/raphamorim.rio.yaml @@ -0,0 +1,8 @@ +# Created with WinGet Updater using komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.12.0.schema.json + +PackageIdentifier: raphamorim.rio +PackageVersion: 0.3.5 +DefaultLocale: en-US +ManifestType: version +ManifestVersion: 1.12.0 diff --git a/manifests/r/rejetto/hfs/3.0.10/rejetto.hfs.installer.yaml b/manifests/r/rejetto/hfs/3.0.10/rejetto.hfs.installer.yaml new file mode 100644 index 0000000000000..3bb4f84a054b0 --- /dev/null +++ b/manifests/r/rejetto/hfs/3.0.10/rejetto.hfs.installer.yaml @@ -0,0 +1,17 @@ +# Created with komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.12.0.schema.json + +PackageIdentifier: rejetto.hfs +PackageVersion: 3.0.10 +InstallerType: zip +NestedInstallerType: portable +NestedInstallerFiles: +- RelativeFilePath: hfs.exe +ReleaseDate: 2026-04-11 +ArchiveBinariesDependOnPath: true +Installers: +- Architecture: x64 + InstallerUrl: https://github.com/rejetto/hfs/releases/download/v3.0.10/hfs-windows-x64-3.0.10.zip + InstallerSha256: DB2439CF96D70A795026E1B859EC823FC31968674D6C90F894C76523838BAEC5 +ManifestType: installer +ManifestVersion: 1.12.0 diff --git a/manifests/r/rejetto/hfs/3.0.10/rejetto.hfs.locale.en-US.yaml b/manifests/r/rejetto/hfs/3.0.10/rejetto.hfs.locale.en-US.yaml new file mode 100644 index 0000000000000..74896e6dfc9a0 --- /dev/null +++ b/manifests/r/rejetto/hfs/3.0.10/rejetto.hfs.locale.en-US.yaml @@ -0,0 +1,27 @@ +# Created with komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.12.0.schema.json + +PackageIdentifier: rejetto.hfs +PackageVersion: 3.0.10 +PackageLocale: en-US +Publisher: rejetto +PublisherUrl: https://github.com/rejetto +PublisherSupportUrl: https://github.com/rejetto/hfs/issues +PackageName: hfs +PackageUrl: https://github.com/rejetto/hfs +License: GPL-3.0 +LicenseUrl: https://github.com/rejetto/hfs/blob/HEAD/LICENSE.txt +ShortDescription: HFS is a web file server to run on your computer. Share folders or even a single file thanks to the virtual file system. +Tags: +- file-server +- file-sharing +- http-server +- nodejs +- typescript +- web +ReleaseNotes: |- + bug fixes + Full Changelog: v3.0.9...v3.0.10 +ReleaseNotesUrl: https://github.com/rejetto/hfs/releases/tag/v3.0.10 +ManifestType: defaultLocale +ManifestVersion: 1.12.0 diff --git a/manifests/r/rejetto/hfs/3.0.10/rejetto.hfs.yaml b/manifests/r/rejetto/hfs/3.0.10/rejetto.hfs.yaml new file mode 100644 index 0000000000000..06c67d986ab8d --- /dev/null +++ b/manifests/r/rejetto/hfs/3.0.10/rejetto.hfs.yaml @@ -0,0 +1,8 @@ +# Created with komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.12.0.schema.json + +PackageIdentifier: rejetto.hfs +PackageVersion: 3.0.10 +DefaultLocale: en-US +ManifestType: version +ManifestVersion: 1.12.0 diff --git a/manifests/s/ScummVM/ScummVM/2026.2.0/ScummVM.ScummVM.installer.yaml b/manifests/s/ScummVM/ScummVM/2026.2.0/ScummVM.ScummVM.installer.yaml new file mode 100644 index 0000000000000..87939a4c664f5 --- /dev/null +++ b/manifests/s/ScummVM/ScummVM/2026.2.0/ScummVM.ScummVM.installer.yaml @@ -0,0 +1,22 @@ +# Created with komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.12.0.schema.json + +PackageIdentifier: ScummVM.ScummVM +PackageVersion: 2026.2.0 +InstallerLocale: en-US +InstallerType: inno +Scope: machine +ProductCode: ScummVM_is1 +ReleaseDate: 2026-03-28 +AppsAndFeaturesEntries: +- DisplayName: ScummVM 2026.2.0 + ProductCode: ScummVM_is1 +ElevationRequirement: elevatesSelf +InstallationMetadata: + DefaultInstallLocation: '%ProgramFiles%\ScummVM' +Installers: +- Architecture: x86 + InstallerUrl: https://downloads.scummvm.org/frs/scummvm/2026.2.0/scummvm-2026.2.0-win32.exe + InstallerSha256: 1B2B1D7184D9C31A636B1801225F6A285DDE4399486A843667146F393A2BE93D +ManifestType: installer +ManifestVersion: 1.12.0 diff --git a/manifests/s/ScummVM/ScummVM/2026.2.0/ScummVM.ScummVM.locale.de-DE.yaml b/manifests/s/ScummVM/ScummVM/2026.2.0/ScummVM.ScummVM.locale.de-DE.yaml new file mode 100644 index 0000000000000..9af30235e62bf --- /dev/null +++ b/manifests/s/ScummVM/ScummVM/2026.2.0/ScummVM.ScummVM.locale.de-DE.yaml @@ -0,0 +1,28 @@ +# Created with komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.locale.1.12.0.schema.json + +PackageIdentifier: ScummVM.ScummVM +PackageVersion: 2026.2.0 +PackageLocale: de-DE +Publisher: The ScummVM Team +PublisherUrl: https://www.scummvm.org/ +PublisherSupportUrl: https://docs.scummvm.org/en/latest/ +PackageName: ScummVM +PackageUrl: https://www.scummvm.org/ +License: GPL-2.0 +LicenseUrl: https://github.com/scummvm/scummvm/blob/master/COPYING +ShortDescription: ScummVM ist ein Programm, dass das Spielen bestimmter klassischer Adventures und Rollenspiele erlaubt, wenn die Spieldateien vorhanden sind. +Description: ScummVM ist ein Programm, dass das Spielen bestimmter klassischer Adventures und Rollenspiele erlaubt, wenn die Spieldateien vorhanden sind. ScummVM unterstuetzt eine riesige Bibliothek von insgesamt über 325 Spielen, unter anderem viele Klassiker von legendaeren Studios wie LucasArts, Sierra On-Line, Revolution Software, Cyan, Inc. und Westwood Studios. Neben Ikonen wie der Monkey Island-Serie, Broken Sword, Myst, Blade Runner und unzaehligen anderen Spielen gibt es auch einige wirklich obskure Abenteuer und versteckte Juwelen, die es zu entdecken gilt. +Tags: +- adventure +- emulator +- game +- interpreter +- lucasarts +- lucasfilm +- old +- point-and-click +- scumm +- sierra +ManifestType: locale +ManifestVersion: 1.12.0 diff --git a/manifests/s/ScummVM/ScummVM/2026.2.0/ScummVM.ScummVM.locale.en-US.yaml b/manifests/s/ScummVM/ScummVM/2026.2.0/ScummVM.ScummVM.locale.en-US.yaml new file mode 100644 index 0000000000000..5fbd7d25bb771 --- /dev/null +++ b/manifests/s/ScummVM/ScummVM/2026.2.0/ScummVM.ScummVM.locale.en-US.yaml @@ -0,0 +1,28 @@ +# Created with komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.12.0.schema.json + +PackageIdentifier: ScummVM.ScummVM +PackageVersion: 2026.2.0 +PackageLocale: en-US +Publisher: The ScummVM Team +PublisherUrl: https://www.scummvm.org/ +PublisherSupportUrl: https://docs.scummvm.org/en/latest/ +PackageName: ScummVM +PackageUrl: https://www.scummvm.org/ +License: GPL-2.0 +LicenseUrl: https://github.com/scummvm/scummvm/blob/master/COPYING +ShortDescription: ScummVM is a program which allows you to run certain classic graphical adventure and role-playing games, provided you already have their data files. +Description: 'ScummVM is a program which allows you to run certain classic graphical adventure and role-playing games, provided you already have their data files. The clever part about this: ScummVM just replaces the executables shipped with the games, allowing you to play them on systems for which they were never designed! ScummVM is a complete rewrite of these games'' executables and is not an emulator. It supports a huge library of adventures with over 325 games in total. It supports many classics published by legendary studios like LucasArts, Sierra On-Line, Revolution Software, Cyan, Inc. and Westwood Studios. Next to ground-breaking titles like the Monkey Island series, Broken Sword, Myst, Blade Runner and countless other games you will find some really obscure adventures and truly hidden gems to explore.' +Moniker: scummvm +Tags: +- adventure +- emulator +- game +- lucasarts +- lucasfilm +- old +- point-and-click +- scumm +- sierra +ManifestType: defaultLocale +ManifestVersion: 1.12.0 diff --git a/manifests/s/ScummVM/ScummVM/2026.2.0/ScummVM.ScummVM.yaml b/manifests/s/ScummVM/ScummVM/2026.2.0/ScummVM.ScummVM.yaml new file mode 100644 index 0000000000000..e378f4907fc40 --- /dev/null +++ b/manifests/s/ScummVM/ScummVM/2026.2.0/ScummVM.ScummVM.yaml @@ -0,0 +1,8 @@ +# Created with komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.12.0.schema.json + +PackageIdentifier: ScummVM.ScummVM +PackageVersion: 2026.2.0 +DefaultLocale: en-US +ManifestType: version +ManifestVersion: 1.12.0 diff --git a/manifests/s/Shilihu/Mubu/5.5.0/Shilihu.Mubu.locale.en-US.yaml b/manifests/s/Shilihu/Mubu/5.5.0/Shilihu.Mubu.locale.en-US.yaml index e0e77bcf83d0e..c194c34d53a7e 100644 --- a/manifests/s/Shilihu/Mubu/5.5.0/Shilihu.Mubu.locale.en-US.yaml +++ b/manifests/s/Shilihu/Mubu/5.5.0/Shilihu.Mubu.locale.en-US.yaml @@ -15,7 +15,7 @@ License: Proprietary LicenseUrl: https://mubu.com/agreement Copyright: ©2017-2026 Mubu CopyrightUrl: https://mubu.com/agreement -ShortDescription: Minimalist outline notes, generate mind maps with one click +ShortDescription: Minimalist outline notes, generate mind maps with one click. Description: Mubu is a knowledge management tool that combines outliner and mind map to help you take notes, manage tasks, make plans and even organize brainstorms in a more efficient way and with a clearer structure. Tags: - article @@ -30,6 +30,8 @@ Tags: - outline - outliner - writing +- prc +- china ReleaseNotesUrl: https://mubu.com/doc/d5501245199 PurchaseUrl: https://mubu.com/about-pro ManifestType: defaultLocale diff --git a/manifests/s/SilouhetteStudio/Silouhette/.validation b/manifests/s/SilouhetteStudio/Silouhette/.validation deleted file mode 100644 index d6558fd57f81a..0000000000000 --- a/manifests/s/SilouhetteStudio/Silouhette/.validation +++ /dev/null @@ -1 +0,0 @@ -{"ValidationVersion":"1.0.0","Waivers":[{"WaiverId":"f21c7c54-7c2a-475c-8ac4-2d8a9a4922fb","TestPlan":"Validation-Domain","PackagePath":"manifests/s/SilouhetteStudio/Silouhette/4.5.770","CommitId":"e290a58e06100d9798291eb9bcc268816b7ec100"}],"InstallationVerification":{"Executables":[]}} \ No newline at end of file diff --git a/manifests/s/SmartGameBooster/SmartGameBooster/.validation b/manifests/s/SmartGameBooster/SmartGameBooster/.validation deleted file mode 100644 index 851b3f4962263..0000000000000 --- a/manifests/s/SmartGameBooster/SmartGameBooster/.validation +++ /dev/null @@ -1 +0,0 @@ -{"ValidationVersion":"1.0.0","Waivers":[{"WaiverId":"3798427a-25d7-42f8-ab56-fdece7483630","TestPlan":"Validation-Domain","PackagePath":"manifests/s/SmartGameBooster/SmartGameBooster/5.2.3","CommitId":"37582b428a066166fc9098c71462ea77ae5f52a3"}]} \ No newline at end of file diff --git a/manifests/s/StarFinanz/StarMoney14Deluxe/.validation b/manifests/s/StarFinanz/StarMoney14Deluxe/.validation deleted file mode 100644 index 7831cebcc6bce..0000000000000 --- a/manifests/s/StarFinanz/StarMoney14Deluxe/.validation +++ /dev/null @@ -1 +0,0 @@ -{"ValidationVersion":"1.0.0","Waivers":[{"WaiverId":"f6418d5d-a4c9-4d22-9ba7-9382d8ed4066","TestPlan":"Policy-Test-1.8","PackagePath":"manifests/s/StarFinanz/StarMoney14Deluxe/14","CommitId":"a16d4964edd8427057e16b17674e968936e43923"}],"InstallationVerification":{"Executables":[]}} \ No newline at end of file diff --git a/manifests/t/ThaUnknown/Miru/6.4.13/ThaUnknown.Miru.installer.yaml b/manifests/t/ThaUnknown/Miru/6.4.13/ThaUnknown.Miru.installer.yaml deleted file mode 100644 index b5230c878ede7..0000000000000 --- a/manifests/t/ThaUnknown/Miru/6.4.13/ThaUnknown.Miru.installer.yaml +++ /dev/null @@ -1,20 +0,0 @@ -# Created with komac v2.12.0 -# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.10.0.schema.json - -PackageIdentifier: ThaUnknown.Miru -PackageVersion: 6.4.13 -InstallerLocale: en-US -InstallerType: nullsoft -Scope: machine -UpgradeBehavior: install -ProductCode: dfa2ed72-71bd-56ef-a676-b435325e7bc6 -ReleaseDate: 2025-07-10 -AppsAndFeaturesEntries: -- DisplayName: Hayase - ProductCode: dfa2ed72-71bd-56ef-a676-b435325e7bc6 -Installers: -- Architecture: x86 - InstallerUrl: https://github.com/hayase-app/ui/releases/download/v6.4.13/win-hayase-6.4.13-installer.exe - InstallerSha256: 15040EE1EBE48E6FF07404011BA81DD1CCD8D0E7CFB893FEB53552123EE050DB -ManifestType: installer -ManifestVersion: 1.10.0 diff --git a/manifests/t/ThaUnknown/Miru/6.4.13/ThaUnknown.Miru.locale.en-US.yaml b/manifests/t/ThaUnknown/Miru/6.4.13/ThaUnknown.Miru.locale.en-US.yaml deleted file mode 100644 index b4212936eeeb3..0000000000000 --- a/manifests/t/ThaUnknown/Miru/6.4.13/ThaUnknown.Miru.locale.en-US.yaml +++ /dev/null @@ -1,30 +0,0 @@ -# Created with komac v2.12.0 -# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.10.0.schema.json - -PackageIdentifier: ThaUnknown.Miru -PackageVersion: 6.4.13 -PackageLocale: en-US -Publisher: ThaUnknown_ -PublisherUrl: https://github.com/ThaUnknown/miru -PublisherSupportUrl: https://github.com/ThaUnknown/miru/issues -Author: ThaUnknown_ -PackageName: Miru -PackageUrl: https://github.com/ThaUnknown/miru -License: GPL-3.0 -LicenseUrl: https://github.com/hayase-app/ui/blob/HEAD/LICENSE -Copyright: Copyright © 2022 ThaUnknown_ -ShortDescription: Stream anime torrents, real-time with not waiting for downloads. -Description: |- - A pure JS BitTorrent streaming environment, with a built-in list manager. - Imagine qBit + Taiga + MPV, all in a single package, but streamed real-time. - Completly ad free with no tracking/data collection. - This app is meant to feel look, work and perform like a streaming website/app, while providing all the advantages of torrenting, like file downloads, higher download speeds, better video quality and quicker releases. - Unlike qBit's sequential, seeking into undownloaded data will prioritise downloading that data, instead of flat out closing MPV. -Tags: -- anime -- streaming -- torrent -ReleaseNotes: '- fix: disable bytecode optimisations on macos' -ReleaseNotesUrl: https://github.com/hayase-app/ui/releases/tag/v6.4.13 -ManifestType: defaultLocale -ManifestVersion: 1.10.0 diff --git a/manifests/t/Tofuutils/Tenv/4.10.1/Tofuutils.Tenv.installer.yaml b/manifests/t/Tofuutils/Tenv/4.10.1/Tofuutils.Tenv.installer.yaml new file mode 100644 index 0000000000000..0ec1c81c1a6c0 --- /dev/null +++ b/manifests/t/Tofuutils/Tenv/4.10.1/Tofuutils.Tenv.installer.yaml @@ -0,0 +1,70 @@ +# This file was generated by GoReleaser. DO NOT EDIT. +# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.12.0.schema.json +PackageIdentifier: Tofuutils.Tenv +PackageVersion: 4.10.1 +InstallerLocale: en-US +InstallerType: zip +ReleaseDate: "2026-04-11" +Installers: + - Architecture: arm64 + NestedInstallerType: portable + NestedInstallerFiles: + - RelativeFilePath: tenv.exe + PortableCommandAlias: tenv + - RelativeFilePath: tofu.exe + PortableCommandAlias: tofu + - RelativeFilePath: terraform.exe + PortableCommandAlias: terraform + - RelativeFilePath: terragrunt.exe + PortableCommandAlias: terragrunt + - RelativeFilePath: terramate.exe + PortableCommandAlias: terramate + - RelativeFilePath: tf.exe + PortableCommandAlias: tf + - RelativeFilePath: atmos.exe + PortableCommandAlias: atmos + InstallerUrl: https://github.com/tofuutils/tenv/releases/download/v4.10.1/tenv_v4.10.1_Windows_arm64.zip + InstallerSha256: cde51c5246518bc7a685b272b020184fdb6dce1df7a783da3c2f7abc7527ce59 + UpgradeBehavior: uninstallPrevious + - Architecture: x86 + NestedInstallerType: portable + NestedInstallerFiles: + - RelativeFilePath: tenv.exe + PortableCommandAlias: tenv + - RelativeFilePath: tofu.exe + PortableCommandAlias: tofu + - RelativeFilePath: terraform.exe + PortableCommandAlias: terraform + - RelativeFilePath: terragrunt.exe + PortableCommandAlias: terragrunt + - RelativeFilePath: terramate.exe + PortableCommandAlias: terramate + - RelativeFilePath: tf.exe + PortableCommandAlias: tf + - RelativeFilePath: atmos.exe + PortableCommandAlias: atmos + InstallerUrl: https://github.com/tofuutils/tenv/releases/download/v4.10.1/tenv_v4.10.1_Windows_i386.zip + InstallerSha256: 657ec9eff1e48b8351be5f8cc7da6f1452c376b6507be1c5b6915099dd504e65 + UpgradeBehavior: uninstallPrevious + - Architecture: x64 + NestedInstallerType: portable + NestedInstallerFiles: + - RelativeFilePath: tenv.exe + PortableCommandAlias: tenv + - RelativeFilePath: tofu.exe + PortableCommandAlias: tofu + - RelativeFilePath: terraform.exe + PortableCommandAlias: terraform + - RelativeFilePath: terragrunt.exe + PortableCommandAlias: terragrunt + - RelativeFilePath: terramate.exe + PortableCommandAlias: terramate + - RelativeFilePath: tf.exe + PortableCommandAlias: tf + - RelativeFilePath: atmos.exe + PortableCommandAlias: atmos + InstallerUrl: https://github.com/tofuutils/tenv/releases/download/v4.10.1/tenv_v4.10.1_Windows_x86_64.zip + InstallerSha256: 255431703c8655c7c52a92251c512619e0d2f90677ae514cfe642a568ac6d2ff + UpgradeBehavior: uninstallPrevious +ManifestType: installer +ManifestVersion: 1.12.0 diff --git a/manifests/t/Tofuutils/Tenv/4.10.1/Tofuutils.Tenv.locale.en-US.yaml b/manifests/t/Tofuutils/Tenv/4.10.1/Tofuutils.Tenv.locale.en-US.yaml new file mode 100644 index 0000000000000..ee37d16c0d50e --- /dev/null +++ b/manifests/t/Tofuutils/Tenv/4.10.1/Tofuutils.Tenv.locale.en-US.yaml @@ -0,0 +1,51 @@ +# This file was generated by GoReleaser. DO NOT EDIT. +# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.12.0.schema.json +PackageIdentifier: Tofuutils.Tenv +PackageVersion: 4.10.1 +PackageLocale: en-US +Publisher: Tofuutils +PublisherUrl: https://tofuutils.github.io/tenv/ +PublisherSupportUrl: https://github.com/tofuutils/tenv/issues/new/choose +PackageName: tenv +PackageUrl: https://github.com/tofuutils/tenv +License: Apache-2.0 +LicenseUrl: https://github.com/tofuutils/tenv/blob/v4.10.1/LICENSE +Copyright: Tofuutils +ShortDescription: OpenTofu, Terraform, Terragrunt, Terramate and Atmos version manager, written in Go +Description: Tenv helps you install and switch versions of OpenTofu/Terraform, Terragrunt, and Atmos with simple commands. +Moniker: tenv +Tags: + - golang + - cli + - terraform + - opentofu + - terragrunt + - terramate + - atmos +ReleaseNotes: | + ## Changelog + * b561815487707a7f7bf315ed5a7c0451c5a8caa3 Merge pull request #563 from tofuutils/dependabot/github_actions/codecov/codecov-action-6.0.0 + * 222b8d3320156a6758eabc48a3e87d67bdf28e11 Merge pull request #554 from tofuutils/dependabot/github_actions/docker/setup-qemu-action-4.0.0 + * 64e06e01baa4ba61f045a25eb44acc3d048afe25 Merge pull request #549 from tofuutils/dependabot/go_modules/github.com/zclconf/go-cty-1.18.0 + * a038b59639fb84891fbb3dad0e7ae78eaf0898b7 fix + * 3ae83ef606f699b76895f580cae4c5b1f406588a Merge branch 'main' into dependabot/go_modules/github.com/zclconf/go-cty-1.18.0 + * 7c50478fdd5358644ec106d3007d24398f9dcb1f Merge pull request #560 from tofuutils/dependabot/go_modules/github.com/ProtonMail/gopenpgp/v2-2.10.0 + * 111ec73f05e92688aa8587e67cc435f313169c55 Merge pull request #569 from tofuutils/dependabot/go_modules/github.com/hashicorp/go-version-1.9.0 + * e3053a8b846a49255fb6c3649c743d428b553a4a Merge pull request #561 from tofuutils/dependabot/go_modules/github.com/fatih/color-1.19.0 + * 9f5f4a9b15e0d564f3c8246baac0231154bd7d62 go: bump github.com/ProtonMail/gopenpgp/v2 from 2.9.0 to 2.10.0 + * 44bf886c23d27fa88f1317df10c5fea2981d237e go: bump github.com/hashicorp/go-version from 1.8.0 to 1.9.0 + * 79e12435bebeedb104bbe67e8bfae5273be9670b go: bump github.com/fatih/color from 1.18.0 to 1.19.0 + * 80b3d190aaaab244a7edcfc0ebbaa5a1caabefe9 Merge pull request #553 from tofuutils/dependabot/github_actions/docker/login-action-4.0.0 + * cba625e7049731cc145daa1bff646c62525a6058 Merge pull request #557 from tofuutils/dependabot/go_modules/github.com/PuerkitoBio/goquery-1.12.0 + * adfa1f8ae09c8c616db7f8a50f87edb978093556 Merge pull request #562 from tofuutils/dependabot/github_actions/sigstore/cosign-installer-4.1.1 + * e473e1e1e2671763291e328817a5eb37e18bf07c gh-actions: bump codecov/codecov-action from 5.5.3 to 6.0.0 + * 7477239d5f82caa35211ce052689ffb527d60879 gh-actions: bump sigstore/cosign-installer from 4.1.0 to 4.1.1 + * 3df29ceb9e2fc9390f76544717e4f85e392fad25 go: bump github.com/PuerkitoBio/goquery from 1.11.0 to 1.12.0 + * 531cb6ecbb1ec1aa60c055c162e33d3cd75e14e4 gh-actions: bump docker/setup-qemu-action from 3.7.0 to 4.0.0 + * a52480fa06c76e0bddfe930e72f666af668deb67 gh-actions: bump docker/login-action from 3.7.0 to 4.0.0 + * 108d8c8d56da220fd02e285eb7f7a749d9152ebb go: bump github.com/zclconf/go-cty from 1.17.0 to 1.18.0 +ReleaseNotesUrl: https://github.com/tofuutils/tenv/releases/tag/v4.10.1 +InstallationNotes: | + If other Terraform/OpenTofu binaries appear earlier on PATH, they may shadow Tenv-managed shims. Uninstall those or adjust PATH so Tenv shims take precedence. +ManifestType: defaultLocale +ManifestVersion: 1.12.0 diff --git a/manifests/t/Tofuutils/Tenv/4.10.1/Tofuutils.Tenv.yaml b/manifests/t/Tofuutils/Tenv/4.10.1/Tofuutils.Tenv.yaml new file mode 100644 index 0000000000000..c00584b27ff96 --- /dev/null +++ b/manifests/t/Tofuutils/Tenv/4.10.1/Tofuutils.Tenv.yaml @@ -0,0 +1,7 @@ +# This file was generated by GoReleaser. DO NOT EDIT. +# yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.12.0.schema.json +PackageIdentifier: Tofuutils.Tenv +PackageVersion: 4.10.1 +DefaultLocale: en-US +ManifestType: version +ManifestVersion: 1.12.0 diff --git a/manifests/t/the-code-fixer-23/go-toolkit/0.11.5-alpha/the-code-fixer-23.go-toolkit.installer.yaml b/manifests/t/the-code-fixer-23/go-toolkit/0.11.5-alpha/the-code-fixer-23.go-toolkit.installer.yaml deleted file mode 100644 index 503cc1c3f0461..0000000000000 --- a/manifests/t/the-code-fixer-23/go-toolkit/0.11.5-alpha/the-code-fixer-23.go-toolkit.installer.yaml +++ /dev/null @@ -1,26 +0,0 @@ -# This file was generated by GoReleaser. DO NOT EDIT. -# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.12.0.schema.json -PackageIdentifier: the-code-fixer-23.go-toolkit -PackageVersion: 0.11.5-alpha -InstallerLocale: en-US -InstallerType: zip -ReleaseDate: "2026-03-25" -Installers: - - Architecture: x64 - NestedInstallerType: portable - NestedInstallerFiles: - - RelativeFilePath: gtk.exe - PortableCommandAlias: gtk - InstallerUrl: https://github.com/Sheltons-CLI-Projects/go-toolkit/releases/download/v0.11.5-alpha/go-toolkit_0.11.5-alpha_windows_amd64.zip - InstallerSha256: f76709a0fc7ea66b04e86a242099baa58f92e2789e45670062e3c45a538d9b28 - UpgradeBehavior: uninstallPrevious - - Architecture: arm64 - NestedInstallerType: portable - NestedInstallerFiles: - - RelativeFilePath: gtk.exe - PortableCommandAlias: gtk - InstallerUrl: https://github.com/Sheltons-CLI-Projects/go-toolkit/releases/download/v0.11.5-alpha/go-toolkit_0.11.5-alpha_windows_arm64.zip - InstallerSha256: bf73ec4ebdf1da861db896c4c715a36d9103f49dbed6b1cac757ef18ec7636fc - UpgradeBehavior: uninstallPrevious -ManifestType: installer -ManifestVersion: 1.12.0 diff --git a/manifests/t/the-code-fixer-23/go-toolkit/0.11.5-alpha/the-code-fixer-23.go-toolkit.locale.en-US.yaml b/manifests/t/the-code-fixer-23/go-toolkit/0.11.5-alpha/the-code-fixer-23.go-toolkit.locale.en-US.yaml deleted file mode 100644 index 8d5bd5fc512df..0000000000000 --- a/manifests/t/the-code-fixer-23/go-toolkit/0.11.5-alpha/the-code-fixer-23.go-toolkit.locale.en-US.yaml +++ /dev/null @@ -1,29 +0,0 @@ -# This file was generated by GoReleaser. DO NOT EDIT. -# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.12.0.schema.json -PackageIdentifier: the-code-fixer-23.go-toolkit -PackageVersion: 0.11.5-alpha -PackageLocale: en-US -Publisher: Shelton Louis -PublisherUrl: https://github.com/Sheltons-CLI-Projects -PublisherSupportUrl: https://github.com/Sheltons-CLI-Projects/go-toolkit/issues/new -PackageName: go-toolkit -PackageUrl: https://github.com/Sheltons-CLI-Projects/go-toolkit -License: MIT -LicenseUrl: https://github.com/Sheltons-CLI-Projects/go-toolkit/blob/main/LICENSE -Copyright: Copyright (c) 2025 Shelton Louis -ShortDescription: CLI for Go scaffolding and module maintenance. -Description: Scaffold Go projects, add or remove module dependencies, manage providers, and reuse package presets from the command line. -Moniker: go-toolkit -Tags: - - go - - golang - - cli - - scaffolding - - modules -ReleaseNotes: | - ## Changelog - * 860051e037db7c7c1d212e2b4f49d519a2a2c3b4 fix(release): normalize base64 key input -ReleaseNotesUrl: https://github.com/Sheltons-CLI-Projects/go-toolkit/releases/tag/v0.11.5-alpha -InstallationNotes: Installs the `gtk` executable. -ManifestType: defaultLocale -ManifestVersion: 1.12.0 diff --git a/manifests/t/the-sz/Bedford/1.22/the-sz.Bedford.installer.yaml b/manifests/t/the-sz/Bedford/1.22/the-sz.Bedford.installer.yaml new file mode 100644 index 0000000000000..433872ca1250f --- /dev/null +++ b/manifests/t/the-sz/Bedford/1.22/the-sz.Bedford.installer.yaml @@ -0,0 +1,16 @@ +# Created using wingetcreate 1.12.8.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.6.0.schema.json + +PackageIdentifier: the-sz.Bedford +PackageVersion: "1.22" +InstallerType: zip +Installers: +- Architecture: x86 + NestedInstallerType: portable + NestedInstallerFiles: + - RelativeFilePath: Bedford.exe + PortableCommandAlias: Bedford.exe + InstallerUrl: https://the-sz.com/common/get.php?product=bedford&version=1.22 + InstallerSha256: f72c1624f29a68db89349e8c0b0de2944fd2b410c8fea10496a3cea35b0330ff +ManifestType: installer +ManifestVersion: 1.6.0 diff --git a/manifests/t/the-sz/Bedford/1.22/the-sz.Bedford.locale.en-US.yaml b/manifests/t/the-sz/Bedford/1.22/the-sz.Bedford.locale.en-US.yaml new file mode 100644 index 0000000000000..014266a4b16d6 --- /dev/null +++ b/manifests/t/the-sz/Bedford/1.22/the-sz.Bedford.locale.en-US.yaml @@ -0,0 +1,21 @@ +# Created using wingetcreate 1.12.8.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.6.0.schema.json + +PackageIdentifier: the-sz.Bedford +PackageVersion: "1.22" +PackageLocale: en-US +Publisher: the sz development +PublisherUrl: https://the-sz.com/ +PrivacyUrl: https://the-sz.com/products/privacy.php +Author: the sz development +PackageName: Bedford +PackageUrl: https://the-sz.com/products/bedford/ +License: Proprietary +LicenseUrl: https://the-sz.com/products/license.php +Copyright: Copyright (c) the-sz.com +ShortDescription: Bluetooth Low Energy device information viewer +Description: See all Bluetooth Low Energy device properties. +Moniker: bedford +ReleaseNotesUrl: https://the-sz.com/common/history.php?product=bedford +ManifestType: defaultLocale +ManifestVersion: 1.6.0 diff --git a/manifests/t/the-sz/Bedford/1.22/the-sz.Bedford.yaml b/manifests/t/the-sz/Bedford/1.22/the-sz.Bedford.yaml new file mode 100644 index 0000000000000..db1af96d9803a --- /dev/null +++ b/manifests/t/the-sz/Bedford/1.22/the-sz.Bedford.yaml @@ -0,0 +1,8 @@ +# Created using wingetcreate 1.12.8.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.6.0.schema.json + +PackageIdentifier: the-sz.Bedford +PackageVersion: "1.22" +DefaultLocale: en-US +ManifestType: version +ManifestVersion: 1.6.0 diff --git a/manifests/t/the-sz/Bennett/1.31/the-sz.Bennett.installer.yaml b/manifests/t/the-sz/Bennett/1.31/the-sz.Bennett.installer.yaml new file mode 100644 index 0000000000000..d0bcc57c1edbd --- /dev/null +++ b/manifests/t/the-sz/Bennett/1.31/the-sz.Bennett.installer.yaml @@ -0,0 +1,16 @@ +# Created using wingetcreate 1.12.8.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.6.0.schema.json + +PackageIdentifier: the-sz.Bennett +PackageVersion: "1.31" +InstallerType: zip +Installers: +- Architecture: x86 + NestedInstallerType: portable + NestedInstallerFiles: + - RelativeFilePath: Bennett.exe + PortableCommandAlias: Bennett.exe + InstallerUrl: https://the-sz.com/common/get.php?product=bennett&version=1.31 + InstallerSha256: 586ee781762c33a98d3583f82e62b6089ec5113c16b377f5c5f7dfff783d9460 +ManifestType: installer +ManifestVersion: 1.6.0 diff --git a/manifests/t/the-sz/Bennett/1.31/the-sz.Bennett.locale.en-US.yaml b/manifests/t/the-sz/Bennett/1.31/the-sz.Bennett.locale.en-US.yaml new file mode 100644 index 0000000000000..e0955a165a95e --- /dev/null +++ b/manifests/t/the-sz/Bennett/1.31/the-sz.Bennett.locale.en-US.yaml @@ -0,0 +1,21 @@ +# Created using wingetcreate 1.12.8.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.6.0.schema.json + +PackageIdentifier: the-sz.Bennett +PackageVersion: "1.31" +PackageLocale: en-US +Publisher: the sz development +PublisherUrl: https://the-sz.com/ +PrivacyUrl: https://the-sz.com/products/privacy.php +Author: the sz development +PackageName: Bennett +PackageUrl: https://the-sz.com/products/bennett/ +License: Proprietary +LicenseUrl: https://the-sz.com/products/license.php +Copyright: Copyright (c) the-sz.com +ShortDescription: Bluetooth device and signal strength monitor +Description: Monitor the signal strength of multiple Bluetooth devices. +Moniker: bennett +ReleaseNotesUrl: https://the-sz.com/common/history.php?product=bennett +ManifestType: defaultLocale +ManifestVersion: 1.6.0 diff --git a/manifests/t/the-sz/Bennett/1.31/the-sz.Bennett.yaml b/manifests/t/the-sz/Bennett/1.31/the-sz.Bennett.yaml new file mode 100644 index 0000000000000..87518d5c94a27 --- /dev/null +++ b/manifests/t/the-sz/Bennett/1.31/the-sz.Bennett.yaml @@ -0,0 +1,8 @@ +# Created using wingetcreate 1.12.8.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.6.0.schema.json + +PackageIdentifier: the-sz.Bennett +PackageVersion: "1.31" +DefaultLocale: en-US +ManifestType: version +ManifestVersion: 1.6.0 diff --git a/manifests/u/ULAB/PaintAid/.validation b/manifests/u/ULAB/PaintAid/.validation deleted file mode 100644 index 8c4a90e3324e3..0000000000000 --- a/manifests/u/ULAB/PaintAid/.validation +++ /dev/null @@ -1 +0,0 @@ -{"ValidationVersion":"1.0.0","Waivers":[{"WaiverId":"513de7a5-a047-4b1b-8b1e-11d42044c995","TestPlan":"Validation-Domain","PackagePath":"manifests/u/ULAB/PaintAid/2.3.2.0","CommitId":"707a43d221a2db30a3cccd9fd2d73189c573ccf5"},{"WaiverId":"e12a7a5e-7c73-46ca-bbbf-66058921385b","TestPlan":"Validation-Domain","PackagePath":"manifests/u/ULAB/PaintAid/2.1.3.0","CommitId":"39f75770e78822e0837ebdbcd0d247fe36740b83"}]} \ No newline at end of file diff --git a/manifests/u/ULAB/XZAid/.validation b/manifests/u/ULAB/XZAid/.validation deleted file mode 100644 index 82dc6e24975f6..0000000000000 --- a/manifests/u/ULAB/XZAid/.validation +++ /dev/null @@ -1 +0,0 @@ -{"ValidationVersion":"1.0.0","Waivers":[{"WaiverId":"dcdce0a5-07bf-4fdb-8c4c-8aabe4d97453","TestPlan":"Validation-Domain","PackagePath":"manifests/u/ULAB/XZAid/1.1","CommitId":"e2eb036bc7163caa368b9c7a0b32662cd3de2957"}]} \ No newline at end of file diff --git a/manifests/u/UNIkeEN/SJMCL/0.8.3/UNIkeEN.SJMCL.locale.en-US.yaml b/manifests/u/UNIkeEN/SJMCL/0.8.3/UNIkeEN.SJMCL.locale.en-US.yaml index 6f78af1cc477a..eb781ffed4917 100644 --- a/manifests/u/UNIkeEN/SJMCL/0.8.3/UNIkeEN.SJMCL.locale.en-US.yaml +++ b/manifests/u/UNIkeEN/SJMCL/0.8.3/UNIkeEN.SJMCL.locale.en-US.yaml @@ -6,7 +6,7 @@ PackageVersion: 0.8.3 PackageLocale: en-US Author: Shanghai Jiao Tong University Minecraft Club PackageUrl: https://mc.sjtu.cn/sjmcl/en -ShortDescription: Next‑generation open-source cross‑platform Minecraft launcher +ShortDescription: Next‑generation open-source cross‑platform Minecraft launcher. Description: SJMC Launcher is a modern, cross-platform Minecraft launcher built on the Tauri framework, independently developed by members of the Shanghai Jiao Tong University Minecraft Club. ReleaseNotes: |- - 🌟 Support adding and removing game servers directly within the launcher. #1328 @hbz114514 @UNIkeEN @zaixizaiximeow @@ -18,9 +18,12 @@ ReleaseNotes: |- - 🌐 Update French and Japanese translations of the launcher UI. #1371 @Codex - 🌐 Update Traditional Chinese translations for the launcher UI and related documentation. #1381 #1383 #1390 @3gf8jv4dv - 📦 Update multiple dependencies to patch versions. #1387 @dependabot[bot] - - Workflow: + - Workflow: - Update internationalization tool scripts. #1122 #1384 @HsxMark - Add an experimental VSCode extension providing development helper features tailored for this project. @UNIkeEN +Tags: +- prc +- china Documentations: - DocumentLabel: Docs DocumentUrl: https://mc.sjtu.cn/sjmcl/en/docs diff --git a/manifests/u/UNIkeEN/SJMCL/0.8.3/UNIkeEN.SJMCL.locale.zh-CN.yaml b/manifests/u/UNIkeEN/SJMCL/0.8.3/UNIkeEN.SJMCL.locale.zh-CN.yaml index 187fa798da912..976cc91a30d34 100644 --- a/manifests/u/UNIkeEN/SJMCL/0.8.3/UNIkeEN.SJMCL.locale.zh-CN.yaml +++ b/manifests/u/UNIkeEN/SJMCL/0.8.3/UNIkeEN.SJMCL.locale.zh-CN.yaml @@ -33,8 +33,8 @@ ReleaseNotes: |- - 更新国际化工具脚本。#1122 #1384 @HsxMark - 新增实验性 VSCode 扩展,为本项目特别提供若干开发辅助功能。 @UNIkeEN ReleaseNotesUrl: https://github.com/UNIkeEN/SJMCL/releases/tag/v0.8.3 -Documentations: -- DocumentLabel: 文档 - DocumentUrl: https://mc.sjtu.cn/sjmcl/zh/docs +# Documentations: +# - DocumentLabel: 文档 +# DocumentUrl: https://mc.sjtu.cn/sjmcl/zh/docs ManifestType: defaultLocale ManifestVersion: 1.12.0 diff --git a/manifests/w/Wagnardsoft/DisplayDriverUninstaller/18.1.5.2/Wagnardsoft.DisplayDriverUninstaller.installer.yaml b/manifests/w/Wagnardsoft/DisplayDriverUninstaller/18.1.5.2/Wagnardsoft.DisplayDriverUninstaller.installer.yaml new file mode 100644 index 0000000000000..c51bbd3eb3e35 --- /dev/null +++ b/manifests/w/Wagnardsoft/DisplayDriverUninstaller/18.1.5.2/Wagnardsoft.DisplayDriverUninstaller.installer.yaml @@ -0,0 +1,20 @@ +# Created using wingetcreate 1.12.8.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.12.0.schema.json + +PackageIdentifier: Wagnardsoft.DisplayDriverUninstaller +PackageVersion: 18.1.5.2 +InstallerLocale: en-US +InstallerType: nullsoft +Scope: machine +UpgradeBehavior: install +ProductCode: Display Driver Uninstaller +ReleaseDate: 2026-04-11 +AppsAndFeaturesEntries: +- ProductCode: Display Driver Uninstaller +ElevationRequirement: elevatesSelf +Installers: +- Architecture: x64 + InstallerUrl: https://www.wagnardsoft.com/DDU/download/DDU%20v18.1.5.2_setup.exe + InstallerSha256: 5454A3E210052EBF8F350AE235820A0E2B129CF275DD318903CEDE0B7A50F031 +ManifestType: installer +ManifestVersion: 1.12.0 diff --git a/manifests/w/Wagnardsoft/DisplayDriverUninstaller/18.1.5.2/Wagnardsoft.DisplayDriverUninstaller.locale.en-US.yaml b/manifests/w/Wagnardsoft/DisplayDriverUninstaller/18.1.5.2/Wagnardsoft.DisplayDriverUninstaller.locale.en-US.yaml new file mode 100644 index 0000000000000..e41394413f8ff --- /dev/null +++ b/manifests/w/Wagnardsoft/DisplayDriverUninstaller/18.1.5.2/Wagnardsoft.DisplayDriverUninstaller.locale.en-US.yaml @@ -0,0 +1,53 @@ +# Created using wingetcreate 1.12.8.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.12.0.schema.json + +PackageIdentifier: Wagnardsoft.DisplayDriverUninstaller +PackageVersion: 18.1.5.2 +PackageLocale: en-US +Publisher: Wagnardsoft +PublisherUrl: https://www.wagnardsoft.com/ +PublisherSupportUrl: https://github.com/Wagnard/display-drivers-uninstaller/issues +PrivacyUrl: https://www.wagnardsoft.com/content/Privacy-Policy +Author: Wagnard +PackageName: Display Driver Uninstaller +PackageUrl: https://www.wagnardsoft.com/display-driver-uninstaller-ddu +License: MIT +LicenseUrl: https://github.com/Wagnard/display-drivers-uninstaller/blob/WPF/LICENSE +Copyright: Copyright © 2014–2026 Wagnardsoft +ShortDescription: Display Driver Uninstaller is a driver removal utility that can help you completely uninstall AMD/NVIDIA/INTEL graphics card drivers and packages from your system, trying to remove all leftovers (including registry keys, folders and files, driver store). +Description: |- + Display Driver Uninstaller (DDU) is a driver removal utility that can help you completely uninstall AMD/NVIDIA/INTEL graphics card drivers and packages from your system, trying to remove all leftovers (including registry keys, folders and files, driver store). + + The AMD/NVIDIA/INTEL video drivers can normally be uninstalled from the Windows Control panel, this driver uninstaller program was designed to be used in cases where the standard driver uninstall fails, or when you need to thoroughly delete NVIDIA and ATI video card drivers. + + The current effect after you use this driver removal tool will be similar as if its the first time you install a new driver just like a fresh, clean install of Windows. As with any tool of this kind, we recommend creating a new system restore point before using it, so that you can revert your system at any time if you run into problems. +Moniker: ddu +Tags: +- amd +- clean +- display +- driver +- drivers +- graphics +- intel +- npu +- nvidia +- realtek +- sound-blaster +- uninstaller +- utility +ReleaseNotes: |- + - Fixed truncated log file caused by a null terminator. + - Fixed a performance issue on startup with large number of GPU entries. + - General: Translation updates. + - General fixes and improvements. +ReleaseNotesUrl: https://www.wagnardsoft.com/content/Download-Display-Driver-Uninstaller-DDU-18152 +Documentations: +- DocumentLabel: Guide + DocumentUrl: https://www.wagnardsoft.com/content/ddu-guide-tutorial/ +- DocumentLabel: Discord + DocumentUrl: https://discord.gg/JsSsKyqzjF +- DocumentLabel: GitHub + DocumentUrl: https://github.com/Wagnard/display-drivers-uninstaller +ManifestType: defaultLocale +ManifestVersion: 1.12.0 diff --git a/manifests/w/Wagnardsoft/DisplayDriverUninstaller/18.1.5.2/Wagnardsoft.DisplayDriverUninstaller.yaml b/manifests/w/Wagnardsoft/DisplayDriverUninstaller/18.1.5.2/Wagnardsoft.DisplayDriverUninstaller.yaml new file mode 100644 index 0000000000000..258617dacea03 --- /dev/null +++ b/manifests/w/Wagnardsoft/DisplayDriverUninstaller/18.1.5.2/Wagnardsoft.DisplayDriverUninstaller.yaml @@ -0,0 +1,8 @@ +# Created using wingetcreate 1.12.8.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.12.0.schema.json + +PackageIdentifier: Wagnardsoft.DisplayDriverUninstaller +PackageVersion: 18.1.5.2 +DefaultLocale: en-US +ManifestType: version +ManifestVersion: 1.12.0 diff --git a/manifests/w/WonderIdea/DrawingMaster/.validation b/manifests/w/WonderIdea/DrawingMaster/.validation deleted file mode 100644 index 9fb23e50971fe..0000000000000 --- a/manifests/w/WonderIdea/DrawingMaster/.validation +++ /dev/null @@ -1 +0,0 @@ -{"ValidationVersion":"1.0.0","Waivers":[{"WaiverId":"ffa41a52-bc82-499a-a031-add045d04af9","TestPlan":"Validation-Domain","PackagePath":"manifests/w/WonderIdea/DrawingMaster/2.1.7","CommitId":"56e0dff7215a0ab9abad38a0eb563cfd20c29452"}],"InstallationVerification":{"Executables":[]}} \ No newline at end of file diff --git a/manifests/w/WonderIdea/HandActionPlayer/.validation b/manifests/w/WonderIdea/HandActionPlayer/.validation deleted file mode 100644 index 23acc84565fab..0000000000000 --- a/manifests/w/WonderIdea/HandActionPlayer/.validation +++ /dev/null @@ -1 +0,0 @@ -{"ValidationVersion":"1.0.0","Waivers":[{"WaiverId":"c018bb34-fad2-406c-9ca0-fde2b1380c21","TestPlan":"Validation-Domain","PackagePath":"manifests/w/WonderIdea/HandActionPlayer/2.7.000","CommitId":"1f1443a9ab87e6d2c458e5d8c46cb6963891e6ca"},{"WaiverId":"0b9b157e-ce28-4dfd-963d-7ef6e6cb774a","TestPlan":"Validation-Domain","PackagePath":"manifests/w/WonderIdea/HandActionPlayer/2.7.100","CommitId":"88f4f073ac0f45d3eec652d6ab1ab8e57f94565a"}],"InstallationVerification":{"Executables":[]}} \ No newline at end of file diff --git a/manifests/w/WonderIdea/WanCaiVR/.validation b/manifests/w/WonderIdea/WanCaiVR/.validation deleted file mode 100644 index 2f070c7eae55d..0000000000000 --- a/manifests/w/WonderIdea/WanCaiVR/.validation +++ /dev/null @@ -1 +0,0 @@ -{"ValidationVersion":"1.0.0","Waivers":[{"WaiverId":"bbe998ef-1de0-4eb9-8c92-e890cffd3e11","TestPlan":"Validation-Domain","PackagePath":"manifests/w/WonderIdea/WanCaiVR/1.3.1","CommitId":"77464ed6d07771586a7ed01da4ec3ccc80840afd"}],"InstallationVerification":{"Executables":[]}} \ No newline at end of file diff --git a/manifests/w/Wozhi/WizNote/.validation b/manifests/w/Wozhi/WizNote/.validation new file mode 100644 index 0000000000000..c159c2bd456b5 --- /dev/null +++ b/manifests/w/Wozhi/WizNote/.validation @@ -0,0 +1 @@ +{"ValidationVersion":"1.0.0","Waivers":[{"WaiverId":"7cdb23ac-6d25-40d7-82a9-7e6d4e8eca79","TestPlan":"Validation-Domain","PackagePath":"manifests/w/Wozhi/WizNote/4.14","CommitId":"6a158416e36064bcc3d7895b4316a4049f3d6a6c"}],"InstallationVerification":{"Executables":[]}} \ No newline at end of file diff --git a/manifests/x/Xiaomi/MiAssistant/4.2.1028.10/Xiaomi.MiAssistant.locale.en-US.yaml b/manifests/x/Xiaomi/MiAssistant/4.2.1028.10/Xiaomi.MiAssistant.locale.en-US.yaml index 16db994aee459..7dbc58b080246 100644 --- a/manifests/x/Xiaomi/MiAssistant/4.2.1028.10/Xiaomi.MiAssistant.locale.en-US.yaml +++ b/manifests/x/Xiaomi/MiAssistant/4.2.1028.10/Xiaomi.MiAssistant.locale.en-US.yaml @@ -1,4 +1,3 @@ -# Created using wingetcreate 1.9.14.0 # yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.9.0.schema.json PackageIdentifier: Xiaomi.MiAssistant @@ -10,7 +9,7 @@ PublisherSupportUrl: https://web.vip.miui.com/page/info/mio/mio/singleBoard?boar PrivacyUrl: https://privacy.mi.com/all/en_US/ Author: Beijing Xiaomi Technology Co., Ltd. PackageName: Mi Phone Assistant -PackageUrl: http://zhushou.miui.com/ +# PackageUrl: https://zhushou.miui.com/ License: Freeware LicenseUrl: https://privacy.mi.com/all/en_US/ Copyright: Copyright Beijing Xiaomi Technology Co., Ltd. All rights reserved. @@ -31,5 +30,7 @@ Tags: - xiaomi - mi - assistant +- prc +- china ManifestType: defaultLocale ManifestVersion: 1.9.0 diff --git a/manifests/x/Xiaomi/MiAssistant/4.2.1028.10/Xiaomi.MiAssistant.locale.zh-CN.yaml b/manifests/x/Xiaomi/MiAssistant/4.2.1028.10/Xiaomi.MiAssistant.locale.zh-CN.yaml index 46022efc832c0..8400962ef7081 100644 --- a/manifests/x/Xiaomi/MiAssistant/4.2.1028.10/Xiaomi.MiAssistant.locale.zh-CN.yaml +++ b/manifests/x/Xiaomi/MiAssistant/4.2.1028.10/Xiaomi.MiAssistant.locale.zh-CN.yaml @@ -10,7 +10,7 @@ PublisherSupportUrl: https://web.vip.miui.com/page/info/mio/mio/singleBoard?boar PrivacyUrl: https://privacy.mi.com/all/zh_CN/ Author: 小米科技有限责任公司 PackageName: 小米手机助手 -PackageUrl: http://zhushou.miui.com/ +# PackageUrl: https://zhushou.miui.com/ License: 免费软件 LicenseUrl: https://privacy.mi.com/all/zh_CN/ Copyright: 小米科技有限责任公司版权所有,保留所有权利。 diff --git a/manifests/x/xpipe-io/xpipe/portable/22.8/xpipe-io.xpipe.portable.installer.yaml b/manifests/x/xpipe-io/xpipe/portable/22.8/xpipe-io.xpipe.portable.installer.yaml new file mode 100644 index 0000000000000..367556d08ce5a --- /dev/null +++ b/manifests/x/xpipe-io/xpipe/portable/22.8/xpipe-io.xpipe.portable.installer.yaml @@ -0,0 +1,17 @@ +# Created with komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.installer.1.12.0.schema.json + +PackageIdentifier: xpipe-io.xpipe.portable +PackageVersion: '22.8' +InstallerType: zip +NestedInstallerType: portable +NestedInstallerFiles: +- RelativeFilePath: xpipe-22.8/xpiped.exe + PortableCommandAlias: xpipe +ReleaseDate: 2026-04-11 +Installers: +- Architecture: x64 + InstallerUrl: https://github.com/xpipe-io/xpipe/releases/download/22.8/xpipe-portable-windows-x86_64.zip + InstallerSha256: 898951D5269703DEBA23372BE13AD9D820506A8833B0029FFD09B085F5005BD5 +ManifestType: installer +ManifestVersion: 1.12.0 diff --git a/manifests/x/xpipe-io/xpipe/portable/22.8/xpipe-io.xpipe.portable.locale.en-US.yaml b/manifests/x/xpipe-io/xpipe/portable/22.8/xpipe-io.xpipe.portable.locale.en-US.yaml new file mode 100644 index 0000000000000..a08350b380064 --- /dev/null +++ b/manifests/x/xpipe-io/xpipe/portable/22.8/xpipe-io.xpipe.portable.locale.en-US.yaml @@ -0,0 +1,31 @@ +# Created with komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.defaultLocale.1.12.0.schema.json + +PackageIdentifier: xpipe-io.xpipe.portable +PackageVersion: '22.8' +PackageLocale: en-US +Publisher: XPipe-io +PublisherUrl: https://github.com/xpipe-io +PublisherSupportUrl: https://github.com/xpipe-io/xpipe/issues +Author: crschnick +PackageName: XPipe Portable +PackageUrl: https://github.com/xpipe-io/xpipe +License: Apache-2.0 +LicenseUrl: https://github.com/xpipe-io/xpipe/blob/HEAD/LICENSE.md +ShortDescription: A brand-new shell connection hub and remote file manager +Description: XPipe is a new type of shell connection hub and remote file manager that allows you to access your entire sever infrastructure from your local machine. It works on top of your installed command-line programs that you normally use to connect and does not require any setup on your remote systems. +Moniker: xpipe-portable +Tags: +- remote +ReleaseNotes: |- + - Fix multi identities not correctly retaining non-synced identities when edited on another system + - Multi identities now show and preserve the order of inaccessible identities as well + - Fix powershell command failure detection being broken in some places, leading to various issues in powershell environments + - Fix NullPointer when executing automated browser actions + - Fix rare storage race condition + Downloads + You can find all downloadable artifacts below attached to this release. For installation instructions, see the installation guide. + All artifacts are signed by Christopher Schnick (2E21 05AB FDBA C0EB) +ReleaseNotesUrl: https://github.com/xpipe-io/xpipe/releases/tag/22.8 +ManifestType: defaultLocale +ManifestVersion: 1.12.0 diff --git a/manifests/x/xpipe-io/xpipe/portable/22.8/xpipe-io.xpipe.portable.yaml b/manifests/x/xpipe-io/xpipe/portable/22.8/xpipe-io.xpipe.portable.yaml new file mode 100644 index 0000000000000..812dfb67dfeb6 --- /dev/null +++ b/manifests/x/xpipe-io/xpipe/portable/22.8/xpipe-io.xpipe.portable.yaml @@ -0,0 +1,8 @@ +# Created with komac v2.16.0 +# yaml-language-server: $schema=https://aka.ms/winget-manifest.version.1.12.0.schema.json + +PackageIdentifier: xpipe-io.xpipe.portable +PackageVersion: '22.8' +DefaultLocale: en-US +ManifestType: version +ManifestVersion: 1.12.0 diff --git a/manifests/y/Yeastar/Linkus/Desktop/1.21.2/Yeastar.Linkus.Desktop.locale.en-US.yaml b/manifests/y/Yeastar/Linkus/Desktop/1.21.2/Yeastar.Linkus.Desktop.locale.en-US.yaml index 73500729e5869..8570c7cdc6a04 100644 --- a/manifests/y/Yeastar/Linkus/Desktop/1.21.2/Yeastar.Linkus.Desktop.locale.en-US.yaml +++ b/manifests/y/Yeastar/Linkus/Desktop/1.21.2/Yeastar.Linkus.Desktop.locale.en-US.yaml @@ -21,6 +21,8 @@ Tags: - softphone - telephone - telephony +- prc +- china ReleaseNotes: |- 1. Added compatibility with the following system-level configurations. - If system administrator has set Linkus Desktop Client Concurrent Registrations to a value greater than 1 for your extension, you can log in to multiple Linkus Desktop Clients simultaneously. diff --git a/manifests/y/YouXiao/YXFile/.validation b/manifests/y/YouXiao/YXFile/.validation index 9478cb3e768fb..95edd0aca52f3 100644 --- a/manifests/y/YouXiao/YXFile/.validation +++ b/manifests/y/YouXiao/YXFile/.validation @@ -1 +1 @@ -{"ValidationVersion":"1.0.0","Waivers":[{"WaiverId":"0d9523bd-f64b-4c2f-ad73-49692f5ffcd3","TestPlan":"Validation-Domain","PackagePath":"manifests/y/YouXiao/YXFile/2.1.9.18"}]} \ No newline at end of file +{"ValidationVersion":"1.0.0","Waivers":[{"WaiverId":"0d9523bd-f64b-4c2f-ad73-49692f5ffcd3","TestPlan":"Validation-Domain","PackagePath":"manifests/y/YouXiao/YXFile/2.1.9.18","CommitId":null},{"WaiverId":"ee68b247-9e38-4b6c-b134-caf8cb9ca3e2","TestPlan":"Validation-Domain","PackagePath":"manifests/y/YouXiao/YXFile/2.5.4.4","CommitId":"88f8c80a805b220629f40302bbde1be1cad9b906"}],"InstallationVerification":{"Executables":[]}} \ No newline at end of file diff --git a/manifests/y/YouXiao/YXFile/2.5.4.4/YouXiao.YXFile.locale.en-US.yaml b/manifests/y/YouXiao/YXFile/2.5.4.4/YouXiao.YXFile.locale.en-US.yaml index 10b1047897b3c..99d14923c036b 100644 --- a/manifests/y/YouXiao/YXFile/2.5.4.4/YouXiao.YXFile.locale.en-US.yaml +++ b/manifests/y/YouXiao/YXFile/2.5.4.4/YouXiao.YXFile.locale.en-US.yaml @@ -14,7 +14,7 @@ PackageUrl: https://www.yxfile.com.cn/ License: Proprietary LicenseUrl: https://www.yxfile.com.cn/agreement.html Copyright: © YXFile. All Rights Reserved. -ShortDescription: Help you manage your files easily +ShortDescription: Helps you manage your files easily. Description: YXFile is a file tag management software with a powerful built-in local file search engine to help you manage your computer files easily. Tags: - application @@ -28,6 +28,8 @@ Tags: - search - software - tag +- prc +- china ReleaseNotesUrl: https://support.qq.com/products/382872/blog/775472 Documentations: - DocumentLabel: FAQ diff --git a/manifests/z/ZhongshiHuiyun/Boom/3.7.8/ZhongshiHuiyun.Boom.locale.en-US.yaml b/manifests/z/ZhongshiHuiyun/Boom/3.7.8/ZhongshiHuiyun.Boom.locale.en-US.yaml index 161758ca92d15..f089323130cd4 100644 --- a/manifests/z/ZhongshiHuiyun/Boom/3.7.8/ZhongshiHuiyun.Boom.locale.en-US.yaml +++ b/manifests/z/ZhongshiHuiyun/Boom/3.7.8/ZhongshiHuiyun.Boom.locale.en-US.yaml @@ -14,7 +14,7 @@ PackageUrl: https://www.boom.cn/download/center License: Proprietary LicenseUrl: https://i.boom.cn/p/#/serviceAgreement Copyright: © 2024 boom.cn Jinan Zhongshi Huiyun Technology Co., Ltd. All rights reserved. -ShortDescription: Make enterprise communication more efficient +ShortDescription: Make enterprise communication more efficient. Description: Boom is a Chinese video conferencing software based on 20 years of experience in audio and video research and development. With refreshing interface, simple operation, stability and reliability, Boom supports multi-user audio and video conferencing, screen sharing, meeting recording, drawing and other functions, allowing you to meet anytime, anywhere, no matter in the office, workplace, home or business trips, and improve work efficiency. Tags: - chat @@ -26,6 +26,8 @@ Tags: - video-conferencing - voice-conferencing - webinar +- prc +- china PurchaseUrl: https://www.boom.cn/system/price/plan-price ManifestType: defaultLocale ManifestVersion: 1.10.0