refactor: rename manifest metadata fields and improve error display

Rename wrapperRepo→packageRepo, marketingSite→marketingUrl,
docsUrl→docsUrls (array), remove supportSite. Add display_src/display_dbg
helpers to Error. Fix DepInfo description type to LocaleString. Update
web UI, SDK bindings, tests, and fixtures to match. Clean up cli_attach
error handling and remove dead commented code.
This commit is contained in:
Aiden McClelland
2026-02-17 18:40:50 -07:00
parent 313b2df540
commit 4cae00cb33
16 changed files with 142 additions and 173 deletions

View File

@@ -45,7 +45,7 @@ impl TS for DepInfo {
"DepInfo".into()
}
fn inline() -> String {
"{ description: string | null, optional: boolean } & MetadataSrc".into()
"{ description: LocaleString | null, optional: boolean } & MetadataSrc".into()
}
fn inline_flattened() -> String {
Self::inline()
@@ -54,7 +54,8 @@ impl TS for DepInfo {
where
Self: 'static,
{
v.visit::<MetadataSrc>()
v.visit::<MetadataSrc>();
v.visit::<LocaleString>();
}
fn output_path() -> Option<&'static std::path::Path> {
Some(Path::new("DepInfo.ts"))

View File

@@ -3,6 +3,7 @@ use std::fmt::{Debug, Display};
use axum::http::StatusCode;
use axum::http::uri::InvalidUri;
use color_eyre::eyre::eyre;
use imbl_value::InternedString;
use num_enum::TryFromPrimitive;
use patch_db::Value;
use rpc_toolkit::reqwest;
@@ -204,17 +205,12 @@ pub struct Error {
impl Display for Error {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
write!(f, "{}: {:#}", &self.kind.as_str(), self.source)
write!(f, "{}: {}", &self.kind.as_str(), self.display_src())
}
}
impl Debug for Error {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
write!(
f,
"{}: {:?}",
&self.kind.as_str(),
self.debug.as_ref().unwrap_or(&self.source)
)
write!(f, "{}: {}", &self.kind.as_str(), self.display_dbg())
}
}
impl Error {
@@ -235,8 +231,13 @@ impl Error {
}
pub fn clone_output(&self) -> Self {
Error {
source: eyre!("{}", self.source),
debug: self.debug.as_ref().map(|e| eyre!("{e}")),
source: eyre!("{:#}", self.source),
debug: Some(
self.debug
.as_ref()
.map(|e| eyre!("{e}"))
.unwrap_or_else(|| eyre!("{:?}", self.source)),
),
kind: self.kind,
info: self.info.clone(),
task: None,
@@ -257,6 +258,30 @@ impl Error {
self.task.take();
self
}
pub fn display_src(&self) -> impl Display {
struct D<'a>(&'a Error);
impl<'a> Display for D<'a> {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
write!(f, "{:#}", self.0.source)
}
}
D(self)
}
pub fn display_dbg(&self) -> impl Display {
struct D<'a>(&'a Error);
impl<'a> Display for D<'a> {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
if let Some(debug) = &self.0.debug {
write!(f, "{}", debug)
} else {
write!(f, "{:?}", self.0.source)
}
}
}
D(self)
}
}
impl axum::response::IntoResponse for Error {
fn into_response(self) -> axum::response::Response {
@@ -433,9 +458,11 @@ impl Debug for ErrorData {
impl std::error::Error for ErrorData {}
impl From<Error> for ErrorData {
fn from(value: Error) -> Self {
let details = value.display_src().to_string();
let debug = value.display_dbg().to_string();
Self {
details: value.to_string(),
debug: format!("{:?}", value),
details,
debug,
info: value.info,
}
}
@@ -623,13 +650,10 @@ impl<T> ResultExt<T, Error> for Result<T, Error> {
fn with_ctx<F: FnOnce(&Error) -> (ErrorKind, D), D: Display>(self, f: F) -> Result<T, Error> {
self.map_err(|e| {
let (kind, ctx) = f(&e);
let ctx = InternedString::from_display(&ctx);
let source = e.source;
let with_ctx = format!("{ctx}: {source}");
let source = source.wrap_err(with_ctx);
let debug = e.debug.map(|e| {
let with_ctx = format!("{ctx}: {e}");
e.wrap_err(with_ctx)
});
let source = source.wrap_err(ctx.clone());
let debug = e.debug.map(|e| e.wrap_err(ctx));
Error {
kind,
source,

View File

@@ -206,9 +206,7 @@ impl TryFrom<ManifestV1> for Manifest {
license: value.license.into(),
package_repo: value.wrapper_repo,
upstream_repo: value.upstream_repo,
marketing_url: Some(
value.marketing_site.unwrap_or_else(|| default_url.clone()),
),
marketing_url: Some(value.marketing_site.unwrap_or_else(|| default_url.clone())),
donation_url: value.donation_url,
docs_urls: Vec::new(),
description: value.description,

View File

@@ -16,7 +16,7 @@ use futures::{FutureExt, SinkExt, StreamExt, TryStreamExt};
use imbl_value::{InternedString, json};
use itertools::Itertools;
use nix::sys::signal::Signal;
use persistent_container::{PersistentContainer, Subcontainer};
use persistent_container::PersistentContainer;
use rpc_toolkit::HandlerArgs;
use rpc_toolkit::yajrc::RpcError;
use serde::{Deserialize, Serialize};
@@ -1195,10 +1195,12 @@ pub async fn cli_attach(
{
Ok(a) => a,
Err(e) => {
if e.kind != ErrorKind::InvalidRequest {
return Err(e);
}
let prompt = e.to_string();
let options: Vec<SubcontainerInfo> = from_value(e.info)?;
let choice = choose(&prompt, &options).await?;
println!();
params["subcontainer"] = to_value(&choice.id)?;
context
.call_remote::<RpcContext>(&method, params.clone())
@@ -1208,6 +1210,7 @@ pub async fn cli_attach(
)?;
let mut ws = context.ws_continuation(guid).await?;
print!("\r");
let (kill, thread_kill) = tokio::sync::oneshot::channel();
let (thread_send, recv) = tokio::sync::mpsc::channel(4 * CAP_1_KiB);
let stdin_thread: NonDetachingJoinHandle<()> = tokio::task::spawn_blocking(move || {
@@ -1236,18 +1239,6 @@ pub async fn cli_attach(
let mut stderr = Some(stderr);
loop {
futures::select_biased! {
// signal = tokio:: => {
// let exit = exit?;
// if current_out != "exit" {
// ws.send(Message::Text("exit".into()))
// .await
// .with_kind(ErrorKind::Network)?;
// current_out = "exit";
// }
// ws.send(Message::Binary(
// i32::to_be_bytes(exit.into_raw()).to_vec()
// )).await.with_kind(ErrorKind::Network)?;
// }
input = stdin.as_mut().map_or(
futures::future::Either::Left(futures::future::pending()),
|s| futures::future::Either::Right(s.recv())

View File

@@ -0,0 +1,4 @@
// This file was generated by [ts-rs](https://github.com/Aleph-Alpha/ts-rs). Do not edit this file manually.
import type { GatewayId } from './GatewayId'
export type CheckDnsParams = { gateway: GatewayId }

View File

@@ -1,7 +1,8 @@
// This file was generated by [ts-rs](https://github.com/Aleph-Alpha/ts-rs). Do not edit this file manually.
import type { LocaleString } from './LocaleString'
import type { MetadataSrc } from './MetadataSrc'
export type DepInfo = {
description: string | null
description: LocaleString | null
optional: boolean
} & MetadataSrc

View File

@@ -13,27 +13,26 @@ import type { VolumeId } from './VolumeId'
export type Manifest = {
id: PackageId
title: string
version: Version
satisfies: Array<Version>
releaseNotes: LocaleString
canMigrateTo: string
canMigrateFrom: string
license: string
wrapperRepo: string
upstreamRepo: string
supportSite: string
marketingSite: string
donationUrl: string | null
docsUrl: string | null
description: Description
images: { [key: ImageId]: ImageConfig }
volumes: Array<VolumeId>
alerts: Alerts
dependencies: Dependencies
hardwareRequirements: HardwareRequirements
hardwareAcceleration: boolean
title: string
description: Description
releaseNotes: LocaleString
gitHash: GitHash | null
license: string
packageRepo: string
upstreamRepo: string
marketingUrl: string
donationUrl: string | null
docsUrls: string[]
alerts: Alerts
osVersion: string
sdkVersion: string | null
hardwareAcceleration: boolean
}

View File

@@ -11,22 +11,21 @@ import type { PackageId } from './PackageId'
import type { RegistryAsset } from './RegistryAsset'
export type PackageVersionInfo = {
icon: DataUrl
dependencyMetadata: { [key: PackageId]: DependencyMetadata }
sourceVersion: string | null
s9pks: Array<[HardwareRequirements, RegistryAsset<MerkleArchiveCommitment>]>
title: string
icon: DataUrl
description: Description
releaseNotes: LocaleString
gitHash: GitHash | null
license: string
wrapperRepo: string
packageRepo: string
upstreamRepo: string
supportSite: string
marketingSite: string
marketingUrl: string
donationUrl: string | null
docsUrl: string | null
docsUrls: string[]
alerts: Alerts
dependencyMetadata: { [key: PackageId]: DependencyMetadata }
osVersion: string
sdkVersion: string | null
hardwareAcceleration: boolean

View File

@@ -56,6 +56,7 @@ export { Category } from './Category'
export { Celsius } from './Celsius'
export { CheckDependenciesParam } from './CheckDependenciesParam'
export { CheckDependenciesResult } from './CheckDependenciesResult'
export { CheckDnsParams } from './CheckDnsParams'
export { CheckPortParams } from './CheckPortParams'
export { CheckPortRes } from './CheckPortRes'
export { CifsAddParams } from './CifsAddParams'

View File

@@ -21,22 +21,17 @@ export type SDKManifest = {
* URL of the StartOS package repository
* @example `https://github.com/Start9Labs/nextcloud-startos`
*/
readonly wrapperRepo: string
readonly packageRepo: string
/**
* URL of the upstream service repository
* @example `https://github.com/nextcloud/docker`
*/
readonly upstreamRepo: string
/**
* URL where users can get help using the upstream service
* @example `https://github.com/nextcloud/docker/issues`
*/
readonly supportSite: string
/**
* URL where users can learn more about the upstream service
* @example `https://nextcloud.com`
*/
readonly marketingSite: string
readonly marketingUrl: string
/**
* (optional) URL where users can donate to the upstream project
* @example `https://nextcloud.com/contribute/`
@@ -45,7 +40,7 @@ export type SDKManifest = {
/**
* URL where users can find instructions on how to use the service
*/
readonly docsUrl: string
readonly docsUrls: string[]
readonly description: {
/** Short description to display on the marketplace list page. Max length 80 chars. */
readonly short: T.LocaleString

View File

@@ -393,12 +393,11 @@ describe('values', () => {
id: 'testOutput',
title: '',
license: '',
wrapperRepo: '',
packageRepo: '',
upstreamRepo: '',
supportSite: '',
marketingSite: '',
marketingUrl: '',
donationUrl: null,
docsUrl: '',
docsUrls: [],
description: {
short: '',
long: '',

View File

@@ -9,12 +9,11 @@ export const sdk = StartSdk.of()
id: 'testOutput',
title: '',
license: '',
wrapperRepo: '',
packageRepo: '',
upstreamRepo: '',
supportSite: '',
marketingSite: '',
marketingUrl: '',
donationUrl: null,
docsUrl: '',
docsUrls: [],
description: {
short: '',
long: '',

View File

@@ -23,7 +23,7 @@ import { MarketplaceLinkComponent } from './link.component'
class="item-pointer"
/>
<marketplace-link
[url]="pkg().wrapperRepo"
[url]="pkg().packageRepo"
label="StartOS package"
icon="@tui.external-link"
class="item-pointer"
@@ -37,12 +37,12 @@ import { MarketplaceLinkComponent } from './link.component'
<h2 class="additional-detail-title">{{ 'Links' | i18n }}</h2>
<div class="detail-container">
<marketplace-link
[url]="pkg().marketingSite"
[url]="pkg().marketingUrl"
label="Marketing"
icon="@tui.external-link"
class="item-pointer"
/>
@if (pkg().docsUrl; as docsUrl) {
@for (docsUrl of pkg().docsUrls; track $index) {
<marketplace-link
[url]="docsUrl"
label="Documentation"
@@ -50,12 +50,6 @@ import { MarketplaceLinkComponent } from './link.component'
class="item-pointer"
/>
}
<marketplace-link
[url]="pkg().supportSite"
label="Support"
icon="@tui.external-link"
class="item-pointer"
/>
@if (pkg().donationUrl; as donationUrl) {
<marketplace-link
[url]="donationUrl"

View File

@@ -125,24 +125,20 @@ export default class ServiceAboutRoute {
},
{
name: 'StartOS package',
value: manifest.wrapperRepo,
value: manifest.packageRepo,
},
],
},
{
header: 'Links',
items: [
{
...manifest.docsUrls.map(docsUrl => ({
name: 'Documentation',
value: manifest.docsUrl || NOT_PROVIDED,
},
{
name: 'Support',
value: manifest.supportSite || NOT_PROVIDED,
},
value: docsUrl,
})),
{
name: 'Marketing',
value: manifest.marketingSite || NOT_PROVIDED,
value: manifest.marketingUrl || NOT_PROVIDED,
},
{
name: 'Donations',

View File

@@ -45,37 +45,19 @@ import { getManifest } from 'src/app/utils/get-package-data'
</header>
<nav>
@for (item of nav; track $index) {
@if (item.title === 'Documentation') {
<a
tuiCell
tuiAppearance="action-grayscale"
[href]="manifest()?.docsUrl"
target="_blank"
noreferrer
>
<tui-icon [icon]="item.icon" />
<span tuiTitle>
<span>
{{ item.title | i18n }}
</span>
</span>
<tui-icon icon="@tui.external-link" [style.font-size.rem]="1" />
</a>
} @else {
<a
tuiCell
tuiAppearance="action-grayscale"
routerLinkActive="active"
[routerLinkActiveOptions]="{ exact: true }"
[routerLink]="item.title === 'dashboard' ? './' : item.title"
>
<tui-icon [icon]="item.icon" />
<span tuiTitle>{{ item.title | i18n }}</span>
@if (item.title === 'dashboard') {
<a routerLink="interface" routerLinkActive="active"></a>
}
</a>
}
<a
tuiCell
tuiAppearance="action-grayscale"
routerLinkActive="active"
[routerLinkActiveOptions]="{ exact: true }"
[routerLink]="item.title === 'dashboard' ? './' : item.title"
>
<tui-icon [icon]="item.icon" />
<span tuiTitle>{{ item.title | i18n }}</span>
@if (item.title === 'dashboard') {
<a routerLink="interface" routerLinkActive="active"></a>
}
</a>
}
</nav>
</aside>
@@ -209,7 +191,6 @@ export class ServiceOutletComponent {
{ title: 'actions', icon: '@tui.file-terminal' },
{ title: 'logs', icon: '@tui.logs' },
{ title: 'about', icon: '@tui.info' },
{ title: 'Documentation', icon: '@tui.book-open-text' },
]
protected readonly service = toSignal(

View File

@@ -231,12 +231,11 @@ export namespace Mock {
},
releaseNotes: 'Taproot, Schnorr, and more.',
license: 'MIT',
wrapperRepo: 'https://github.com/start9labs/bitcoind-wrapper',
packageRepo: 'https://github.com/start9labs/bitcoind-wrapper',
upstreamRepo: 'https://github.com/bitcoin/bitcoin',
supportSite: 'https://bitcoin.org',
marketingSite: 'https://bitcoin.org',
marketingUrl: 'https://bitcoin.org',
donationUrl: 'https://start9.com',
docsUrl: 'https://docs.start9.com',
docsUrls: ['https://docs.start9.com'],
alerts: {
install: 'Bitcoin can take over a week to sync.',
uninstall:
@@ -279,12 +278,11 @@ export namespace Mock {
},
releaseNotes: 'Dual funded channels!',
license: 'MIT',
wrapperRepo: 'https://github.com/start9labs/lnd-wrapper',
packageRepo: 'https://github.com/start9labs/lnd-wrapper',
upstreamRepo: 'https://github.com/lightningnetwork/lnd',
supportSite: 'https://lightning.engineering/',
marketingSite: 'https://lightning.engineering/',
marketingUrl: 'https://lightning.engineering/',
donationUrl: null,
docsUrl: 'https://docs.start9.com',
docsUrls: ['https://docs.start9.com'],
alerts: {
install: null,
uninstall: null,
@@ -339,12 +337,11 @@ export namespace Mock {
},
releaseNotes: 'Even better support for Bitcoin and wallets!',
license: 'MIT',
wrapperRepo: 'https://github.com/start9labs/btc-rpc-proxy-wrapper',
packageRepo: 'https://github.com/start9labs/btc-rpc-proxy-wrapper',
upstreamRepo: 'https://github.com/Kixunil/btc-rpc-proxy',
supportSite: '',
marketingSite: '',
marketingUrl: '',
donationUrl: 'https://start9.com',
docsUrl: 'https://docs.start9.com',
docsUrls: ['https://docs.start9.com'],
alerts: {
install: 'Testing install alert',
uninstall: null,
@@ -402,11 +399,10 @@ export namespace Mock {
title: 'Bitcoin Core',
description: mockDescription,
license: 'mit',
wrapperRepo: 'https://github.com/start9labs/bitcoind-startos',
packageRepo: 'https://github.com/start9labs/bitcoind-startos',
upstreamRepo: 'https://github.com/bitcoin/bitcoin',
supportSite: 'https://bitcoin.org',
marketingSite: 'https://bitcoin.org',
docsUrl: 'https://bitcoin.org',
marketingUrl: 'https://bitcoin.org',
docsUrls: ['https://bitcoin.org'],
releaseNotes: 'Even better support for Bitcoin and wallets!',
osVersion: '0.3.6',
sdkVersion: '0.4.0-beta.48',
@@ -444,11 +440,10 @@ export namespace Mock {
long: 'Bitcoin Knots is a combined Bitcoin node and wallet. Not only is it easy to use, but it also ensures bitcoins you receive are both real bitcoins and really yours.',
},
license: 'mit',
wrapperRepo: 'https://github.com/start9labs/bitcoinknots-startos',
packageRepo: 'https://github.com/start9labs/bitcoinknots-startos',
upstreamRepo: 'https://github.com/bitcoinknots/bitcoin',
supportSite: 'https://bitcoinknots.org',
marketingSite: 'https://bitcoinknots.org',
docsUrl: 'https://bitcoinknots.org',
marketingUrl: 'https://bitcoinknots.org',
docsUrls: ['https://bitcoinknots.org'],
releaseNotes: 'Even better support for Bitcoin and wallets!',
osVersion: '0.3.6',
sdkVersion: '0.4.0-beta.48',
@@ -496,11 +491,10 @@ export namespace Mock {
title: 'Bitcoin Core',
description: mockDescription,
license: 'mit',
wrapperRepo: 'https://github.com/start9labs/bitcoind-startos',
packageRepo: 'https://github.com/start9labs/bitcoind-startos',
upstreamRepo: 'https://github.com/bitcoin/bitcoin',
supportSite: 'https://bitcoin.org',
marketingSite: 'https://bitcoin.org',
docsUrl: 'https://bitcoin.org',
marketingUrl: 'https://bitcoin.org',
docsUrls: ['https://bitcoin.org'],
releaseNotes: 'Even better support for Bitcoin and wallets!',
osVersion: '0.3.6',
sdkVersion: '0.4.0-beta.48',
@@ -538,11 +532,10 @@ export namespace Mock {
long: 'Bitcoin Knots is a combined Bitcoin node and wallet. Not only is it easy to use, but it also ensures bitcoins you receive are both real bitcoins and really yours.',
},
license: 'mit',
wrapperRepo: 'https://github.com/start9labs/bitcoinknots-startos',
packageRepo: 'https://github.com/start9labs/bitcoinknots-startos',
upstreamRepo: 'https://github.com/bitcoinknots/bitcoin',
supportSite: 'https://bitcoinknots.org',
marketingSite: 'https://bitcoinknots.org',
docsUrl: 'https://bitcoinknots.org',
marketingUrl: 'https://bitcoinknots.org',
docsUrls: ['https://bitcoinknots.org'],
releaseNotes: 'Even better support for Bitcoin and wallets!',
osVersion: '0.3.6',
sdkVersion: '0.4.0-beta.48',
@@ -592,11 +585,10 @@ export namespace Mock {
title: 'LND',
description: mockDescription,
license: 'mit',
wrapperRepo: 'https://github.com/start9labs/lnd-startos',
packageRepo: 'https://github.com/start9labs/lnd-startos',
upstreamRepo: 'https://github.com/lightningnetwork/lnd',
supportSite: 'https://lightning.engineering/slack.html',
marketingSite: 'https://lightning.engineering/',
docsUrl: 'https://lightning.engineering/',
marketingUrl: 'https://lightning.engineering/',
docsUrls: ['https://lightning.engineering/'],
releaseNotes: 'Upstream release to 0.17.5',
osVersion: '0.3.6',
sdkVersion: '0.4.0-beta.48',
@@ -647,11 +639,10 @@ export namespace Mock {
title: 'LND',
description: mockDescription,
license: 'mit',
wrapperRepo: 'https://github.com/start9labs/lnd-startos',
packageRepo: 'https://github.com/start9labs/lnd-startos',
upstreamRepo: 'https://github.com/lightningnetwork/lnd',
supportSite: 'https://lightning.engineering/slack.html',
marketingSite: 'https://lightning.engineering/',
docsUrl: 'https://lightning.engineering/',
marketingUrl: 'https://lightning.engineering/',
docsUrls: ['https://lightning.engineering/'],
releaseNotes: 'Upstream release to 0.17.4',
osVersion: '0.3.6',
sdkVersion: '0.4.0-beta.48',
@@ -706,11 +697,10 @@ export namespace Mock {
title: 'Bitcoin Core',
description: mockDescription,
license: 'mit',
wrapperRepo: 'https://github.com/start9labs/bitcoind-startos',
packageRepo: 'https://github.com/start9labs/bitcoind-startos',
upstreamRepo: 'https://github.com/bitcoin/bitcoin',
supportSite: 'https://bitcoin.org',
marketingSite: 'https://bitcoin.org',
docsUrl: 'https://bitcoin.org',
marketingUrl: 'https://bitcoin.org',
docsUrls: ['https://bitcoin.org'],
releaseNotes: 'Even better support for Bitcoin and wallets!',
osVersion: '0.3.6',
sdkVersion: '0.4.0-beta.48',
@@ -748,11 +738,10 @@ export namespace Mock {
long: 'Bitcoin Knots is a combined Bitcoin node and wallet. Not only is it easy to use, but it also ensures bitcoins you receive are both real bitcoins and really yours.',
},
license: 'mit',
wrapperRepo: 'https://github.com/start9labs/bitcoinknots-startos',
packageRepo: 'https://github.com/start9labs/bitcoinknots-startos',
upstreamRepo: 'https://github.com/bitcoinknots/bitcoin',
supportSite: 'https://bitcoinknots.org',
marketingSite: 'https://bitcoinknots.org',
docsUrl: 'https://bitcoinknots.org',
marketingUrl: 'https://bitcoinknots.org',
docsUrls: [],
releaseNotes: 'Even better support for Bitcoin and wallets!',
osVersion: '0.3.6',
sdkVersion: '0.4.0-beta.48',
@@ -800,11 +789,10 @@ export namespace Mock {
title: 'LND',
description: mockDescription,
license: 'mit',
wrapperRepo: 'https://github.com/start9labs/lnd-startos',
packageRepo: 'https://github.com/start9labs/lnd-startos',
upstreamRepo: 'https://github.com/lightningnetwork/lnd',
supportSite: 'https://lightning.engineering/slack.html',
marketingSite: 'https://lightning.engineering/',
docsUrl: 'https://lightning.engineering/',
marketingUrl: 'https://lightning.engineering/',
docsUrls: [],
releaseNotes: 'Upstream release and minor fixes.',
osVersion: '0.3.6',
sdkVersion: '0.4.0-beta.48',
@@ -855,11 +843,10 @@ export namespace Mock {
title: 'Bitcoin Proxy',
description: mockDescription,
license: 'mit',
wrapperRepo: 'https://github.com/Start9Labs/btc-rpc-proxy-wrappers',
packageRepo: 'https://github.com/Start9Labs/btc-rpc-proxy-wrappers',
upstreamRepo: 'https://github.com/Kixunil/btc-rpc-proxy',
supportSite: 'https://github.com/Kixunil/btc-rpc-proxy/issues',
docsUrl: 'https://github.com/Kixunil/btc-rpc-proxy',
marketingSite: '',
docsUrls: [],
marketingUrl: '',
releaseNotes: 'Upstream release and minor fixes.',
osVersion: '0.3.6',
sdkVersion: '0.4.0-beta.48',