diff --git a/.gitignore b/.gitignore index a46ecd9..eca8bee 100644 --- a/.gitignore +++ b/.gitignore @@ -4,6 +4,6 @@ bin/ coverage.out bin build -deploy-debug.sh +.debug go.work go.work.sum \ No newline at end of file diff --git a/.gqlgen.yml b/.gqlgen.yml index c7fd5d1..6f4e666 100644 --- a/.gqlgen.yml +++ b/.gqlgen.yml @@ -29,15 +29,15 @@ models: Path: type: string FS: - type: "git.kmsign.ru/royalcat/tstor/src/vfs.Filesystem" + type: "git.kmsign.ru/royalcat/tstor/server/src/vfs.Filesystem" ResolverFS: extraFields: FS: - type: "*git.kmsign.ru/royalcat/tstor/src/vfs.ResolverFS" + type: "*git.kmsign.ru/royalcat/tstor/server/src/vfs.ResolverFS" # ArchiveFS: # extraFields: # FS: - # type: "*git.kmsign.ru/royalcat/tstor/src/vfs.ArchiveFS" + # type: "*git.kmsign.ru/royalcat/tstor/server/src/vfs.ArchiveFS" TorrentOps: extraFields: InfoHash: diff --git a/Dockerfile b/Dockerfile index 494fc72..2d002d3 100644 --- a/Dockerfile +++ b/Dockerfile @@ -1,4 +1,6 @@ -FROM --platform=$BUILDPLATFORM golang:1.23 AS builder +ARG GO_VERSION=1.24 + +FROM --platform=$BUILDPLATFORM golang:${GO_VERSION} AS builder WORKDIR /app @@ -6,14 +8,14 @@ COPY go.mod ./ COPY go.sum ./ RUN --mount=type=cache,mode=0777,target=/go/pkg/mod go mod download all -COPY ./daemons ./daemons +COPY ./plugins ./plugins COPY ./pkg ./pkg COPY ./src ./src COPY ./cmd ./cmd ARG TARGETOS TARGETARCH RUN --mount=type=cache,mode=0777,target=/go/pkg/mod \ - CGO_ENABLED=0 GOOS=$TARGETOS GOARCH=$TARGETARCH \ + GOOS=$TARGETOS GOARCH=$TARGETARCH \ go build -tags timetzdata \ -o /tstor ./cmd/tstor/main.go diff --git a/Makefile b/Makefile index fa6d5d4..98cbf54 100644 --- a/Makefile +++ b/Makefile @@ -4,4 +4,13 @@ src/delivery/graphql/generated.go: .gqlgen.yml cmd/generate-graphql/* $(shell fi go run cmd/generate-graphql/main.go ui/lib/api/schema.graphql: src/delivery/graphql/* cmd/generate-graphql-schema/* - go run cmd/generate-graphql-schema/main.go $@ \ No newline at end of file + go run cmd/generate-graphql-schema/main.go $@ + +bin/plugins/qittorrent-daemon.so: + go build -o ./bin/plugins/qittorrent-daemon.so -buildmode=plugin git.kmsign.ru/royalcat/tstor/daemons/qbittorrent/plugin + +bin/tstor: + go build -o ./bin/tstor git.kmsign.ru/royalcat/tstor/cmd/tstor + +run-debug: bin/tstor bin/plugins/qittorrent-daemon.so + cd ./bin && ./tstor \ No newline at end of file diff --git a/daemons/archive/archive_test.go b/daemons/archive/archive_test.go deleted file mode 100644 index cce26e5..0000000 --- a/daemons/archive/archive_test.go +++ /dev/null @@ -1,155 +0,0 @@ -package archive_test - -import ( - "archive/zip" - "bytes" - "context" - "io" - "io/fs" - "testing" - - "git.kmsign.ru/royalcat/tstor/daemons/archive" - "git.kmsign.ru/royalcat/tstor/src/vfs" - "github.com/stretchr/testify/require" -) - -// TODO -// func TestArchiveFactories(t *testing.T) { -// t.Parallel() - -// ctx := context.Background() - -// require := require.New(t) - -// require.Contains(vfs.ArchiveFactories, ".zip") -// require.Contains(vfs.ArchiveFactories, ".rar") -// require.Contains(vfs.ArchiveFactories, ".7z") - -// fs, err := vfs.ArchiveFactories[".zip"](ctx, &vfs.DummyFile{}) -// require.NoError(err) -// require.NotNil(fs) - -// fs, err = vfs.ArchiveFactories[".rar"](ctx, &vfs.DummyFile{}) -// require.NoError(err) -// require.NotNil(fs) - -// fs, err = vfs.ArchiveFactories[".7z"](ctx, &vfs.DummyFile{}) -// require.NoError(err) -// require.NotNil(fs) -// } - -var fileContent []byte = []byte("Hello World") - -func TestZipFilesystem(t *testing.T) { - t.Parallel() - require := require.New(t) - - zReader, size := createTestZip(require) - - ctx := context.Background() - - // TODO add single dir collapse test - zfs, err := archive.NewArchive(ctx, "test", "test", zReader, size, archive.ZipLoader) - require.NoError(err) - - files, err := zfs.ReadDir(ctx, "/path/to/test/file") - require.NoError(err) - - require.Len(files, 1) - e := files[0] - require.Equal("1.txt", e.Name()) - require.NotNil(e) - - out := make([]byte, 5) - f, err := zfs.Open(ctx, "/path/to/test/file/1.txt") - require.NoError(err) - n, err := f.Read(ctx, out) - require.ErrorIs(err, io.EOF) - require.Equal(5, n) - require.Equal([]byte("Hello"), out) - - outSpace := make([]byte, 1) - n, err = f.Read(ctx, outSpace) - require.ErrorIs(err, io.EOF) - require.Equal(1, n) - require.Equal([]byte(" "), outSpace) - - n, err = f.Read(ctx, out) - require.ErrorIs(err, io.EOF) - require.Equal(5, n) - require.Equal([]byte("World"), out) - -} - -func createTestZip(require *require.Assertions) (vfs.File, int64) { - buf := bytes.NewBuffer([]byte{}) - - zWriter := zip.NewWriter(buf) - - f1, err := zWriter.Create("path/to/test/file/1.txt") - require.NoError(err) - _, err = f1.Write(fileContent) - require.NoError(err) - - err = zWriter.Close() - require.NoError(err) - - return newCBR(buf.Bytes()), int64(buf.Len()) -} - -func newCBR(b []byte) *closeableByteReader { - return &closeableByteReader{ - data: bytes.NewReader(b), - } -} - -var _ vfs.File = &closeableByteReader{} - -type closeableByteReader struct { - data *bytes.Reader -} - -// ReadAt implements ctxio.ReaderAt. -func (c *closeableByteReader) ReadAt(ctx context.Context, p []byte, off int64) (n int, err error) { - return c.data.ReadAt(p, off) -} - -// Close implements vfs.File. -func (c *closeableByteReader) Close(ctx context.Context) error { - panic("unimplemented") -} - -// Info implements vfs.File. -func (c *closeableByteReader) Info() (fs.FileInfo, error) { - panic("unimplemented") -} - -// IsDir implements vfs.File. -func (c *closeableByteReader) IsDir() bool { - panic("unimplemented") -} - -// Name implements vfs.File. -func (c *closeableByteReader) Name() string { - panic("unimplemented") -} - -// Read implements vfs.File. -func (c *closeableByteReader) Read(ctx context.Context, p []byte) (n int, err error) { - return c.data.Read(p) -} - -// Seek implements vfs.File. -func (c *closeableByteReader) Seek(offset int64, whence int) (int64, error) { - return c.data.Seek(offset, whence) -} - -// Size implements vfs.File. -func (c *closeableByteReader) Size() int64 { - return c.data.Size() -} - -// Type implements vfs.File. -func (c *closeableByteReader) Type() fs.FileMode { - panic("unimplemented") -} diff --git a/daemons/qbittorrent/plugin/main.go b/daemons/qbittorrent/plugin/main.go deleted file mode 100644 index 1b175a2..0000000 --- a/daemons/qbittorrent/plugin/main.go +++ /dev/null @@ -1,10 +0,0 @@ -package main - -import "git.kmsign.ru/royalcat/tstor/daemons/qbittorrent" - -func main() { -} - -const DaemonName = qbittorrent.DaemonName - -var NewDaemon = qbittorrent.NewDaemon diff --git a/daemons/rclone/go.mod b/daemons/rclone/go.mod deleted file mode 100644 index 93a79f7..0000000 --- a/daemons/rclone/go.mod +++ /dev/null @@ -1,35 +0,0 @@ -module git.kmsign.ru/royalcat/tstor/daemons/rclone - -go 1.23.5 - -require ( - git.kmsign.ru/royalcat/tstor v0.0.0-20250120032914-a43371d1e3b9 - github.com/rclone/rclone v1.68.1 -) - -require ( - github.com/go-git/go-billy/v5 v5.6.1 // indirect - github.com/go-logr/logr v1.4.2 // indirect - github.com/go-logr/stdr v1.2.2 // indirect - github.com/goware/singleflight v0.2.0 // indirect - github.com/jzelinskie/whirlpool v0.0.0-20201016144138-0675e54bb004 // indirect - github.com/mattn/go-colorable v0.1.13 // indirect - github.com/mattn/go-isatty v0.0.20 // indirect - github.com/royalcat/btrgo v0.0.0-20240318160410-19bd27154450 // indirect - github.com/royalcat/ctxio v0.0.0-20240602084623-009bd79b3176 // indirect - github.com/rs/zerolog v1.32.0 // indirect - github.com/samber/lo v1.47.0 // indirect - github.com/samber/slog-multi v1.0.2 // indirect - github.com/samber/slog-zerolog v1.0.0 // indirect - github.com/sirupsen/logrus v1.9.3 // indirect - github.com/sourcegraph/conc v0.3.0 // indirect - go.opentelemetry.io/auto/sdk v1.1.0 // indirect - go.opentelemetry.io/otel v1.34.0 // indirect - go.opentelemetry.io/otel/metric v1.34.0 // indirect - go.opentelemetry.io/otel/trace v1.34.0 // indirect - go.uber.org/multierr v1.10.0 // indirect - golang.org/x/exp v0.0.0-20250106191152-7588d65b2ba8 // indirect - golang.org/x/sys v0.29.0 // indirect - golang.org/x/text v0.21.0 // indirect - golang.org/x/time v0.6.0 // indirect -) diff --git a/daemons/rclone/go.sum b/daemons/rclone/go.sum deleted file mode 100644 index 9ddc14d..0000000 --- a/daemons/rclone/go.sum +++ /dev/null @@ -1,87 +0,0 @@ -git.kmsign.ru/royalcat/tstor v0.0.0-20250120032914-a43371d1e3b9 h1:DHcbILTa1w3TWerW1Wkty/2TIsjK7Hr0yeoTBCYrf4U= -git.kmsign.ru/royalcat/tstor v0.0.0-20250120032914-a43371d1e3b9/go.mod h1:vhoCnS6pDoj3OS9jnFjdRPldAkcvxirfKh0aXxa88EI= -github.com/coreos/go-systemd/v22 v22.5.0/go.mod h1:Y58oyj3AT4RCenI/lSvhwexgC+NSVTIJ3seZv2GcEnc= -github.com/davecgh/go-spew v1.1.0/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38= -github.com/davecgh/go-spew v1.1.1/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38= -github.com/davecgh/go-spew v1.1.2-0.20180830191138-d8f796af33cc h1:U9qPSI2PIWSS1VwoXQT9A3Wy9MM3WgvqSxFWenqJduM= -github.com/davecgh/go-spew v1.1.2-0.20180830191138-d8f796af33cc/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38= -github.com/go-git/go-billy/v5 v5.6.1 h1:u+dcrgaguSSkbjzHwelEjc0Yj300NUevrrPphk/SoRA= -github.com/go-git/go-billy/v5 v5.6.1/go.mod h1:0AsLr1z2+Uksi4NlElmMblP5rPcDZNRCD8ujZCRR2BE= -github.com/go-logr/logr v1.2.2/go.mod h1:jdQByPbusPIv2/zmleS9BjJVeZ6kBagPoEUsqbVz/1A= -github.com/go-logr/logr v1.4.2 h1:6pFjapn8bFcIbiKo3XT4j/BhANplGihG6tvd+8rYgrY= -github.com/go-logr/logr v1.4.2/go.mod h1:9T104GzyrTigFIr8wt5mBrctHMim0Nb2HLGrmQ40KvY= -github.com/go-logr/stdr v1.2.2 h1:hSWxHoqTgW2S2qGc0LTAI563KZ5YKYRhT3MFKZMbjag= -github.com/go-logr/stdr v1.2.2/go.mod h1:mMo/vtBO5dYbehREoey6XUKy/eSumjCCveDpRre4VKE= -github.com/godbus/dbus/v5 v5.0.4/go.mod h1:xhWf0FNVPg57R7Z0UbKHbJfkEywrmjJnf7w5xrFpKfA= -github.com/google/go-cmp v0.6.0 h1:ofyhxvXcZhMsU5ulbFiLKl/XBFqE1GSq7atu8tAmTRI= -github.com/google/go-cmp v0.6.0/go.mod h1:17dUlkBOakJ0+DkrSSNjCkIjxS6bF9zb3elmeNGIjoY= -github.com/goware/singleflight v0.2.0 h1:e/hZsvNmbLoiZLx3XbihH01oXYA2MwLFo4e+N017U4c= -github.com/goware/singleflight v0.2.0/go.mod h1:SsAslCMS7HizXdbYcBQRBLC7HcNmFrHutRt3Hz6wovY= -github.com/jzelinskie/whirlpool v0.0.0-20201016144138-0675e54bb004 h1:G+9t9cEtnC9jFiTxyptEKuNIAbiN5ZCQzX2a74lj3xg= -github.com/jzelinskie/whirlpool v0.0.0-20201016144138-0675e54bb004/go.mod h1:KmHnJWQrgEvbuy0vcvj00gtMqbvNn1L+3YUZLK/B92c= -github.com/kr/pretty v0.3.1 h1:flRD4NNwYAUpkphVc1HcthR4KEIFJ65n8Mw5qdRn3LE= -github.com/kr/pretty v0.3.1/go.mod h1:hoEshYVHaxMs3cyo3Yncou5ZscifuDolrwPKZanG3xk= -github.com/kr/text v0.2.0 h1:5Nx0Ya0ZqY2ygV366QzturHI13Jq95ApcVaJBhpS+AY= -github.com/kr/text v0.2.0/go.mod h1:eLer722TekiGuMkidMxC/pM04lWEeraHUUmBw8l2grE= -github.com/mattn/go-colorable v0.1.13 h1:fFA4WZxdEF4tXPZVKMLwD8oUnCTTo08duU7wxecdEvA= -github.com/mattn/go-colorable v0.1.13/go.mod h1:7S9/ev0klgBDR4GtXTXX8a3vIGJpMovkB8vQcUbaXHg= -github.com/mattn/go-isatty v0.0.16/go.mod h1:kYGgaQfpe5nmfYZH+SKPsOc2e4SrIfOl2e/yFXSvRLM= -github.com/mattn/go-isatty v0.0.19/go.mod h1:W+V8PltTTMOvKvAeJH7IuucS94S2C6jfK/D7dTCTo3Y= -github.com/mattn/go-isatty v0.0.20 h1:xfD0iDuEKnDkl03q4limB+vH+GxLEtL/jb4xVJSWWEY= -github.com/mattn/go-isatty v0.0.20/go.mod h1:W+V8PltTTMOvKvAeJH7IuucS94S2C6jfK/D7dTCTo3Y= -github.com/pkg/errors v0.9.1/go.mod h1:bwawxfHBFNV+L2hUp1rHADufV3IMtnDRdf1r5NINEl0= -github.com/pmezard/go-difflib v1.0.0/go.mod h1:iKH77koFhYxTK1pcRnkKkqfTogsbg7gZNVY4sRDYZ/4= -github.com/pmezard/go-difflib v1.0.1-0.20181226105442-5d4384ee4fb2 h1:Jamvg5psRIccs7FGNTlIRMkT8wgtp5eCXdBlqhYGL6U= -github.com/pmezard/go-difflib v1.0.1-0.20181226105442-5d4384ee4fb2/go.mod h1:iKH77koFhYxTK1pcRnkKkqfTogsbg7gZNVY4sRDYZ/4= -github.com/rclone/rclone v1.68.1 h1:vlEOAuPv4gGxWECM0NIaCwBNUt3ZQY7mCsyBtZjY+68= -github.com/rclone/rclone v1.68.1/go.mod h1:T8XKOt/2Fb9INROUtFH9eF9q9o9rI1W2qTrW2bw2cYU= -github.com/rogpeppe/go-internal v1.13.1 h1:KvO1DLK/DRN07sQ1LQKScxyZJuNnedQ5/wKSR38lUII= -github.com/rogpeppe/go-internal v1.13.1/go.mod h1:uMEvuHeurkdAXX61udpOXGD/AzZDWNMNyH2VO9fmH0o= -github.com/royalcat/btrgo v0.0.0-20240318160410-19bd27154450 h1:AZyZxXZLniAR0DaZhTS4RVcHtOvYMW8IunplqC9A0mk= -github.com/royalcat/btrgo v0.0.0-20240318160410-19bd27154450/go.mod h1:m3TPa9l/wMKpm/7WHrMs3dSFUxo7kLHaI8ap+SFGYhQ= -github.com/royalcat/ctxio v0.0.0-20240602084623-009bd79b3176 h1:2jCQJow6jRvhpdMJCo1Okd7tq5Rg4YXlUxqT0q0NWAg= -github.com/royalcat/ctxio v0.0.0-20240602084623-009bd79b3176/go.mod h1:81eB8eOH/UU7pzI7J1Rsg3KLpshF7BXg4+UHbex+27I= -github.com/rs/xid v1.5.0/go.mod h1:trrq9SKmegXys3aeAKXMUTdJsYXVwGY3RLcfgqegfbg= -github.com/rs/zerolog v1.32.0 h1:keLypqrlIjaFsbmJOBdB/qvyF8KEtCWHwobLp5l/mQ0= -github.com/rs/zerolog v1.32.0/go.mod h1:/7mN4D5sKwJLZQ2b/znpjC3/GQWY/xaDXUM0kKWRHss= -github.com/samber/lo v1.47.0 h1:z7RynLwP5nbyRscyvcD043DWYoOcYRv3mV8lBeqOCLc= -github.com/samber/lo v1.47.0/go.mod h1:RmDH9Ct32Qy3gduHQuKJ3gW1fMHAnE/fAzQuf6He5cU= -github.com/samber/slog-multi v1.0.2 h1:6BVH9uHGAsiGkbbtQgAOQJMpKgV8unMrHhhJaw+X1EQ= -github.com/samber/slog-multi v1.0.2/go.mod h1:uLAvHpGqbYgX4FSL0p1ZwoLuveIAJvBECtE07XmYvFo= -github.com/samber/slog-zerolog v1.0.0 h1:YpRy0xux1uJr0Ng3wrEjv9nyvb4RAoNqkS611UjzeG8= -github.com/samber/slog-zerolog v1.0.0/go.mod h1:N2/g/mNGRY1zqsydIYE0uKipSSFsPDjytoVkRnZ0Jp0= -github.com/sirupsen/logrus v1.9.3 h1:dueUQJ1C2q9oE3F7wvmSGAaVtTmUizReu6fjN8uqzbQ= -github.com/sirupsen/logrus v1.9.3/go.mod h1:naHLuLoDiP4jHNo9R0sCBMtWGeIprob74mVsIT4qYEQ= -github.com/sourcegraph/conc v0.3.0 h1:OQTbbt6P72L20UqAkXXuLOj79LfEanQ+YQFNpLA9ySo= -github.com/sourcegraph/conc v0.3.0/go.mod h1:Sdozi7LEKbFPqYX2/J+iBAM6HpqSLTASQIKqDmF7Mt0= -github.com/spf13/pflag v1.0.5 h1:iy+VFUOCP1a+8yFto/drg2CJ5u0yRoB7fZw3DKv/JXA= -github.com/spf13/pflag v1.0.5/go.mod h1:McXfInJRrz4CZXVZOBLb0bTZqETkiAhM9Iw0y3An2Bg= -github.com/stretchr/objx v0.1.0/go.mod h1:HFkY916IF+rwdDfMAkV7OtwuqBVzrE8GR6GFx+wExME= -github.com/stretchr/testify v1.7.0/go.mod h1:6Fq8oRcR53rry900zMqJjRRixrwX3KX962/h/Wwjteg= -github.com/stretchr/testify v1.10.0 h1:Xv5erBjTwe/5IxqUQTdXv5kgmIvbHo3QQyRwhJsOfJA= -github.com/stretchr/testify v1.10.0/go.mod h1:r2ic/lqez/lEtzL7wO/rwa5dbSLXVDPFyf8C91i36aY= -go.opentelemetry.io/auto/sdk v1.1.0 h1:cH53jehLUN6UFLY71z+NDOiNJqDdPRaXzTel0sJySYA= -go.opentelemetry.io/auto/sdk v1.1.0/go.mod h1:3wSPjt5PWp2RhlCcmmOial7AvC4DQqZb7a7wCow3W8A= -go.opentelemetry.io/otel v1.34.0 h1:zRLXxLCgL1WyKsPVrgbSdMN4c0FMkDAskSTQP+0hdUY= -go.opentelemetry.io/otel/metric v1.34.0 h1:+eTR3U0MyfWjRDhmFMxe2SsW64QrZ84AOhvqS7Y+PoQ= -go.opentelemetry.io/otel/trace v1.34.0 h1:+ouXS2V8Rd4hp4580a8q23bg0azF2nI8cqLYnC8mh/k= -go.uber.org/multierr v1.10.0 h1:S0h4aNzvfcFsC3dRF1jLoaov7oRaKqRGC/pUEJ2yvPQ= -go.uber.org/multierr v1.10.0/go.mod h1:20+QtiLqy0Nd6FdQB9TLXag12DsQkrbs3htMFfDN80Y= -golang.org/x/exp v0.0.0-20250106191152-7588d65b2ba8 h1:yqrTHse8TCMW1M1ZCP+VAR/l0kKxwaAIqN/il7x4voA= -golang.org/x/exp v0.0.0-20250106191152-7588d65b2ba8/go.mod h1:tujkw807nyEEAamNbDrEGzRav+ilXA7PCRAd6xsmwiU= -golang.org/x/sys v0.0.0-20220715151400-c0bba94af5f8/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg= -golang.org/x/sys v0.0.0-20220811171246-fbc7d0a398ab/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg= -golang.org/x/sys v0.6.0/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg= -golang.org/x/sys v0.12.0/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg= -golang.org/x/sys v0.29.0 h1:TPYlXGxvx1MGTn2GiZDhnjPA9wZzZeGKHHmKhHYvgaU= -golang.org/x/sys v0.29.0/go.mod h1:/VUhepiaJMQUp4+oa/7Zr1D23ma6VTLIYjOOTFZPUcA= -golang.org/x/text v0.21.0 h1:zyQAAkrwaneQ066sspRyJaG9VNi/YJ1NfzcGB3hZ/qo= -golang.org/x/text v0.21.0/go.mod h1:4IBbMaMmOPCJ8SecivzSH54+73PCFmPWxNTLm+vZkEQ= -golang.org/x/time v0.6.0 h1:eTDhh4ZXt5Qf0augr54TN6suAUudPcawVZeIAPU7D4U= -golang.org/x/time v0.6.0/go.mod h1:3BpzKBy/shNhVucY/MWOyx10tF3SFh9QdLuxbVysPQM= -gopkg.in/check.v1 v0.0.0-20161208181325-20d25e280405/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0= -gopkg.in/check.v1 v1.0.0-20201130134442-10cb98267c6c h1:Hei/4ADfdWqJk1ZMxUNpqntNwaWcugrBjAiHlqqRiVk= -gopkg.in/check.v1 v1.0.0-20201130134442-10cb98267c6c/go.mod h1:JHkPIbrfpd72SG/EVd6muEfDQjcINNoR0C8j2r3qZ4Q= -gopkg.in/yaml.v3 v3.0.0-20200313102051-9f266ea9e77c/go.mod h1:K4uyk7z7BCEPqu6E+C64Yfv1cQ7kz7rIZviUmN+EgEM= -gopkg.in/yaml.v3 v3.0.1 h1:fxVm/GzAzEWqLHuvctI91KS9hhNmmWOoWu0XTYJS7CA= -gopkg.in/yaml.v3 v3.0.1/go.mod h1:K4uyk7z7BCEPqu6E+C64Yfv1cQ7kz7rIZviUmN+EgEM= diff --git a/edition/go.mod b/edition/go.mod new file mode 100644 index 0000000..d5f5be6 --- /dev/null +++ b/edition/go.mod @@ -0,0 +1,5 @@ +module git.kmsign.ru/royalcat/tstor/cmd/tstor + +go 1.23.0 + +toolchain go1.24.1 diff --git a/edition/go.sum b/edition/go.sum new file mode 100644 index 0000000..e69de29 diff --git a/edition/main.go b/edition/main.go new file mode 100644 index 0000000..e645959 --- /dev/null +++ b/edition/main.go @@ -0,0 +1,12 @@ +package main + +import ( + "git.kmsign.ru/royalcat/tstor/plugins/qbittorrent" + "git.kmsign.ru/royalcat/tstor/server/tstor" +) + +func main() { + tstor.Run([]*tstor.Plugin{ + qbittorrent.Plugin, + }) +} diff --git a/graphql/query.graphql b/graphql/query.graphql index a03b948..3420562 100644 --- a/graphql/query.graphql +++ b/graphql/query.graphql @@ -1,5 +1,9 @@ type Query { - qbitTorrentDaemon: QBitTorrentDaemonQuery @resolver - + plugins: [Plugin!]! fsEntry(path: String!): FsEntry } + +type Plugin { + name: String! + endpountSubPath: String +} diff --git a/graphql/schema.graphql b/graphql/schema.graphql index fbc3282..2f05e17 100644 --- a/graphql/schema.graphql +++ b/graphql/schema.graphql @@ -1,4 +1,4 @@ -directive @oneOf on INPUT_OBJECT | FIELD_DEFINITION +# directive @oneOf on INPUT_OBJECT | FIELD_DEFINITION directive @resolver on INPUT_FIELD_DEFINITION | FIELD_DEFINITION directive @stream on FIELD_DEFINITION diff --git a/pkg/uring/file.go b/pkg/uring/file.go deleted file mode 100644 index ab37cc5..0000000 --- a/pkg/uring/file.go +++ /dev/null @@ -1,112 +0,0 @@ -package uring - -import ( - "context" - "os" - - "github.com/iceber/iouring-go" - "go.opentelemetry.io/otel" - "go.opentelemetry.io/otel/attribute" - "go.opentelemetry.io/otel/trace" -) - -var tracer = otel.Tracer("github.com/royalcat/tstor/pkg/uring") - -type FS struct { - ur *iouring.IOURing -} - -func NewFS(ur *iouring.IOURing) *FS { - return &FS{ - ur: ur, - } -} - -func (o *FS) OpenFile(ctx context.Context, name string) (File, error) { - ctx, span := tracer.Start(ctx, "uring.FS.OpenFile", trace.WithAttributes(attribute.String("name", name))) - defer span.End() - - f, err := os.Open(name) - if err != nil { - return File{}, err - } - - return File{ - ur: o.ur, - f: f, - }, nil -} - -func NewFile(ur *iouring.IOURing, f *os.File) *File { - return &File{ - ur: ur, - f: f, - } -} - -type File struct { - ur *iouring.IOURing - f *os.File -} - -func (o *File) pread(ctx context.Context, b []byte, off uint64) (int, error) { - ctx, span := tracer.Start(ctx, "uring.File.pread", trace.WithAttributes(attribute.Int("size", len(b)))) - defer span.End() - - req, err := o.ur.Pread(o.f, b, off, nil) - if err != nil { - return 0, err - } - - select { - case <-req.Done(): - return req.GetRes() - case <-ctx.Done(): - if _, err := req.Cancel(); err != nil { - return 0, err - } - <-req.Done() - return 0, ctx.Err() - } -} - -func (f *File) ReadAt(ctx context.Context, b []byte, off int64) (n int, err error) { - ctx, span := tracer.Start(ctx, "uring.File.ReadAt", trace.WithAttributes(attribute.Int("size", len(b)))) - defer span.End() - - return f.f.ReadAt(b, off) - - for len(b) > 0 { - if ctx.Err() != nil { - err = ctx.Err() - break - } - - m, e := f.pread(ctx, b, uint64(off)) - if e != nil { - err = e - break - } - n += m - b = b[m:] - off += int64(m) - } - - return n, err -} - -func (o *File) Close(ctx context.Context) error { - return o.f.Close() -} - -func waitRequest(ctx context.Context, req iouring.Request) (int, error) { - select { - case <-req.Done(): - return req.GetRes() - case <-ctx.Done(): - if _, err := req.Cancel(); err != nil { - return 0, err - } - return 0, ctx.Err() - } -} diff --git a/daemons/archive/archive.go b/plugins/archive/archive.go similarity index 65% rename from daemons/archive/archive.go rename to plugins/archive/archive.go index d9f8460..aa8d375 100644 --- a/daemons/archive/archive.go +++ b/plugins/archive/archive.go @@ -6,33 +6,9 @@ import ( "strings" "time" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" ) -var ArchiveFactories = map[string]vfs.FsFactory{ - ".zip": func(ctx context.Context, sourcePath string, f vfs.File) (vfs.Filesystem, error) { - stat, err := f.Info() - if err != nil { - return nil, err - } - return NewArchive(ctx, sourcePath, stat.Name(), f, stat.Size(), ZipLoader) - }, - ".rar": func(ctx context.Context, sourcePath string, f vfs.File) (vfs.Filesystem, error) { - stat, err := f.Info() - if err != nil { - return nil, err - } - return NewArchive(ctx, sourcePath, stat.Name(), f, stat.Size(), RarLoader) - }, - ".7z": func(ctx context.Context, sourcePath string, f vfs.File) (vfs.Filesystem, error) { - stat, err := f.Info() - if err != nil { - return nil, err - } - return NewArchive(ctx, sourcePath, stat.Name(), f, stat.Size(), SevenZipLoader) - }, -} - type archiveLoader func(ctx context.Context, archivePath string, r vfs.File, size int64) (map[string]fileEntry, error) var _ vfs.Filesystem = &ArchiveFS{} @@ -46,6 +22,8 @@ type ArchiveFS struct { name string size int64 files map[string]fileEntry + + modTime time.Time } // Rename implements Filesystem. @@ -55,7 +33,7 @@ func (a *ArchiveFS) Rename(ctx context.Context, oldpath string, newpath string) // ModTime implements Filesystem. func (a *ArchiveFS) ModTime() time.Time { - return time.Time{} + return a.modTime } // Mode implements Filesystem. @@ -78,7 +56,7 @@ func (a *ArchiveFS) FsName() string { return "archivefs" } -func NewArchive(ctx context.Context, archivePath, name string, f vfs.File, size int64, loader archiveLoader) (*ArchiveFS, error) { +func (d *Daemon) NewArchiveFS(ctx context.Context, archivePath, name string, f vfs.File, size int64, loader archiveLoader) (*ArchiveFS, error) { archiveFiles, err := loader(ctx, archivePath, f, size) if err != nil { return nil, err diff --git a/plugins/archive/archive_test.go b/plugins/archive/archive_test.go new file mode 100644 index 0000000..cb0af01 --- /dev/null +++ b/plugins/archive/archive_test.go @@ -0,0 +1,142 @@ +package archive_test + +// TODO +// func TestArchiveFactories(t *testing.T) { +// t.Parallel() + +// ctx := context.Background() + +// require := require.New(t) + +// require.Contains(vfs.ArchiveFactories, ".zip") +// require.Contains(vfs.ArchiveFactories, ".rar") +// require.Contains(vfs.ArchiveFactories, ".7z") + +// fs, err := vfs.ArchiveFactories[".zip"](ctx, &vfs.DummyFile{}) +// require.NoError(err) +// require.NotNil(fs) + +// fs, err = vfs.ArchiveFactories[".rar"](ctx, &vfs.DummyFile{}) +// require.NoError(err) +// require.NotNil(fs) + +// fs, err = vfs.ArchiveFactories[".7z"](ctx, &vfs.DummyFile{}) +// require.NoError(err) +// require.NotNil(fs) +// } + +// var fileContent []byte = []byte("Hello World") + +// func TestZipFilesystem(t *testing.T) { +// t.Parallel() +// require := require.New(t) + +// zReader, size := createTestZip(require) + +// ctx := context.Background() + +// // TODO add single dir collapse test +// zfs, err := archive.NewArchive(ctx, "test", "test", zReader, size, archive.ZipLoader) +// require.NoError(err) + +// files, err := zfs.ReadDir(ctx, "/path/to/test/file") +// require.NoError(err) + +// require.Len(files, 1) +// e := files[0] +// require.Equal("1.txt", e.Name()) +// require.NotNil(e) + +// out := make([]byte, 5) +// f, err := zfs.Open(ctx, "/path/to/test/file/1.txt") +// require.NoError(err) +// n, err := f.Read(ctx, out) +// require.ErrorIs(err, io.EOF) +// require.Equal(5, n) +// require.Equal([]byte("Hello"), out) + +// outSpace := make([]byte, 1) +// n, err = f.Read(ctx, outSpace) +// require.ErrorIs(err, io.EOF) +// require.Equal(1, n) +// require.Equal([]byte(" "), outSpace) + +// n, err = f.Read(ctx, out) +// require.ErrorIs(err, io.EOF) +// require.Equal(5, n) +// require.Equal([]byte("World"), out) + +// } + +// func createTestZip(require *require.Assertions) (vfs.File, int64) { +// buf := bytes.NewBuffer([]byte{}) + +// zWriter := zip.NewWriter(buf) + +// f1, err := zWriter.Create("path/to/test/file/1.txt") +// require.NoError(err) +// _, err = f1.Write(fileContent) +// require.NoError(err) + +// err = zWriter.Close() +// require.NoError(err) + +// return newCBR(buf.Bytes()), int64(buf.Len()) +// } + +// func newCBR(b []byte) *closeableByteReader { +// return &closeableByteReader{ +// data: bytes.NewReader(b), +// } +// } + +// var _ vfs.File = &closeableByteReader{} + +// type closeableByteReader struct { +// data *bytes.Reader +// } + +// // ReadAt implements ctxio.ReaderAt. +// func (c *closeableByteReader) ReadAt(ctx context.Context, p []byte, off int64) (n int, err error) { +// return c.data.ReadAt(p, off) +// } + +// // Close implements vfs.File. +// func (c *closeableByteReader) Close(ctx context.Context) error { +// panic("unimplemented") +// } + +// // Info implements vfs.File. +// func (c *closeableByteReader) Info() (fs.FileInfo, error) { +// panic("unimplemented") +// } + +// // IsDir implements vfs.File. +// func (c *closeableByteReader) IsDir() bool { +// panic("unimplemented") +// } + +// // Name implements vfs.File. +// func (c *closeableByteReader) Name() string { +// panic("unimplemented") +// } + +// // Read implements vfs.File. +// func (c *closeableByteReader) Read(ctx context.Context, p []byte) (n int, err error) { +// return c.data.Read(p) +// } + +// // Seek implements vfs.File. +// func (c *closeableByteReader) Seek(offset int64, whence int) (int64, error) { +// return c.data.Seek(offset, whence) +// } + +// // Size implements vfs.File. +// func (c *closeableByteReader) Size() int64 { +// return c.data.Size() +// } + +// // Type implements vfs.File. +// func (c *closeableByteReader) Type() fs.FileMode { +// panic("unimplemented") +// } diff --git a/daemons/archive/archive_cache.go b/plugins/archive/cache.go similarity index 81% rename from daemons/archive/archive_cache.go rename to plugins/archive/cache.go index 00f1500..2ea3ebe 100644 --- a/daemons/archive/archive_cache.go +++ b/plugins/archive/cache.go @@ -7,7 +7,7 @@ import ( "io" "sync" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" "github.com/hashicorp/golang-lru/arc/v2" "github.com/royalcat/ctxio" "go.opentelemetry.io/otel/attribute" @@ -28,8 +28,8 @@ type archiveFileIndex struct { } type blockIndex struct { - index archiveFileIndex - off int64 + fileIndex archiveFileIndex + off int64 } type block struct { @@ -37,18 +37,9 @@ type block struct { len int } -var blockCache *arc.ARCCache[blockIndex, block] - -func init() { - var err error - blockCache, err = arc.NewARC[blockIndex, block](defaultBlockCount) - if err != nil { - panic(err) - } -} - -func newRandomReaderFromLinear(index archiveFileIndex, size int64, readerFactory archiveFileReaderFactory) *randomReaderFromLinear { +func newRandomReaderFromLinear(blockCache *arc.ARCCache[blockIndex, block], index archiveFileIndex, size int64, readerFactory archiveFileReaderFactory) *randomReaderFromLinear { return &randomReaderFromLinear{ + blockCache: blockCache, index: index, size: size, readerFactory: readerFactory, @@ -56,6 +47,8 @@ func newRandomReaderFromLinear(index archiveFileIndex, size int64, readerFactory } type randomReaderFromLinear struct { + blockCache *arc.ARCCache[blockIndex, block] + index archiveFileIndex readerFactory archiveFileReaderFactory reader ctxio.ReadCloser @@ -82,7 +75,7 @@ func (a *randomReaderFromLinear) ReadAt(ctx context.Context, p []byte, off int64 } aligntOff := (off / blockSize) * blockSize - bI := blockIndex{index: a.index, off: aligntOff} + bI := blockIndex{fileIndex: a.index, off: aligntOff} block, err := a.readBlock(ctx, bI) if err != nil && err != ctxio.EOF { @@ -101,14 +94,14 @@ func (a *randomReaderFromLinear) readBlock(ctx context.Context, bI blockIndex) ( defer span.End() // check block in cache before locking - if b, ok := blockCache.Get(bI); ok && b.len != 0 { + if b, ok := a.blockCache.Get(bI); ok && b.len != 0 { return b, nil } a.readerMutex.Lock() defer a.readerMutex.Unlock() - if b, ok := blockCache.Get(bI); ok && b.len != 0 { // check again, maybe another goroutine already read this block + if b, ok := a.blockCache.Get(bI); ok && b.len != 0 { // check again, maybe another goroutine already read this block return b, nil } @@ -146,7 +139,7 @@ func (a *randomReaderFromLinear) readBlock(ctx context.Context, bI blockIndex) ( return block{}, io.EOF } - blockCache.Add(blockIndex{bI.index, off}, block{len: n, data: buf}) + a.blockCache.Add(blockIndex{bI.fileIndex, off}, block{len: n, data: buf}) if off == bI.off { return block{len: n, data: buf}, err @@ -173,9 +166,9 @@ func (a *randomReaderFromLinear) Close(ctx context.Context) error { errs = append(errs, a.reader.Close(ctx)) } - for _, block := range blockCache.Keys() { - if block.index == a.index { - blockCache.Remove(block) + for _, block := range a.blockCache.Keys() { + if block.fileIndex == a.index { + a.blockCache.Remove(block) } } diff --git a/daemons/archive/daemon.go b/plugins/archive/daemon.go similarity index 51% rename from daemons/archive/daemon.go rename to plugins/archive/daemon.go index e916209..f7434c1 100644 --- a/daemons/archive/daemon.go +++ b/plugins/archive/daemon.go @@ -2,9 +2,12 @@ package archive import ( "context" + "fmt" + "path" - "git.kmsign.ru/royalcat/tstor/src/daemon" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/src/daemon" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" + "github.com/hashicorp/golang-lru/arc/v2" "github.com/knadh/koanf/v2" "go.opentelemetry.io/otel" ) @@ -17,11 +20,13 @@ func NewDaemon(ctx context.Context, koanf *koanf.Koanf) (daemon.Daemon, error) { return &Daemon{}, nil } -var tracer = otel.Tracer("git.kmsign.ru/royalcat/tstor/daemons/archive") +var tracer = otel.Tracer("git.kmsign.ru/royalcat/tstor/plugins/archive") var _ daemon.Daemon = (*Daemon)(nil) -type Daemon struct{} +type Daemon struct { + blockcache *arc.ARCCache[blockIndex, block] +} // Name implements daemon.Daemon. func (d *Daemon) Name() string { @@ -35,7 +40,23 @@ func (d *Daemon) Extensions() []string { // GetFS implements daemon.Daemon. func (d *Daemon) GetFS(ctx context.Context, sourcePath string, file vfs.File) (vfs.Filesystem, error) { - panic("unimplemented") + ext := path.Ext(sourcePath) + + stat, err := file.Info() + if err != nil { + return nil, err + } + + switch ext { + case ".zip": + return d.NewArchiveFS(ctx, sourcePath, stat.Name(), file, stat.Size(), d.ZipLoader) + case ".rar": + return d.NewArchiveFS(ctx, sourcePath, stat.Name(), file, stat.Size(), d.RarLoader) + case ".7z": + return d.NewArchiveFS(ctx, sourcePath, stat.Name(), file, stat.Size(), d.SevenZipLoader) + } + + return nil, fmt.Errorf("unknown archive type") } // Close implements daemon.Daemon. diff --git a/daemons/archive/fs.go b/plugins/archive/fs.go similarity index 97% rename from daemons/archive/fs.go rename to plugins/archive/fs.go index 6758964..2d2f893 100644 --- a/daemons/archive/fs.go +++ b/plugins/archive/fs.go @@ -9,7 +9,7 @@ import ( "sync" "time" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" ) // Unlink implements Filesystem. @@ -51,7 +51,7 @@ func (afs *ArchiveFS) Stat(ctx context.Context, filename string) (fs.FileInfo, e return entry, nil } - for p, _ := range afs.files { + for p := range afs.files { if strings.HasPrefix(p, filename) { return vfs.NewDirInfo(path.Base(filename), time.Time{}), nil } diff --git a/daemons/archive/rar.go b/plugins/archive/rar.go similarity index 78% rename from daemons/archive/rar.go rename to plugins/archive/rar.go index 79ba4f7..6887c56 100644 --- a/daemons/archive/rar.go +++ b/plugins/archive/rar.go @@ -5,15 +5,13 @@ import ( "fmt" "io" - "git.kmsign.ru/royalcat/tstor/pkg/ioutils" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/pkg/ioutils" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" "github.com/nwaples/rardecode/v2" "github.com/royalcat/ctxio" ) -var _ archiveLoader = RarLoader - -func RarLoader(ctx context.Context, archivePath string, f vfs.File, size int64) (map[string]fileEntry, error) { +func (d *Daemon) RarLoader(ctx context.Context, archivePath string, f vfs.File, size int64) (map[string]fileEntry, error) { hash, err := vfs.FileHash(ctx, f) if err != nil { return nil, err @@ -55,7 +53,7 @@ func RarLoader(ctx context.Context, archivePath string, f vfs.File, size int64) return nil, fmt.Errorf("file with name '%s' not found", name) } - rr := newRandomReaderFromLinear(archiveFileIndex{archiveHash: hash, filename: header.Name}, header.UnPackedSize, af) + rr := newRandomReaderFromLinear(d.blockcache, archiveFileIndex{archiveHash: hash, filename: header.Name}, header.UnPackedSize, af) out[vfs.AbsPath(header.Name)] = fileEntry{ FileInfo: vfs.NewFileInfo(header.Name, header.UnPackedSize, header.ModificationTime), diff --git a/daemons/archive/sevenzip.go b/plugins/archive/sevenzip.go similarity index 76% rename from daemons/archive/sevenzip.go rename to plugins/archive/sevenzip.go index 4351a04..f2b692e 100644 --- a/daemons/archive/sevenzip.go +++ b/plugins/archive/sevenzip.go @@ -3,14 +3,12 @@ package archive import ( "context" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" "github.com/bodgit/sevenzip" "github.com/royalcat/ctxio" ) -var _ archiveLoader = SevenZipLoader - -func SevenZipLoader(ctx context.Context, archivePath string, ctxreader vfs.File, size int64) (map[string]fileEntry, error) { +func (d *Daemon) SevenZipLoader(ctx context.Context, archivePath string, ctxreader vfs.File, size int64) (map[string]fileEntry, error) { hash, err := vfs.FileHash(ctx, ctxreader) if err != nil { return nil, err @@ -45,7 +43,7 @@ func SevenZipLoader(ctx context.Context, archivePath string, ctxreader vfs.File, info := f.FileInfo() - rr := newRandomReaderFromLinear(archiveFileIndex{archiveHash: hash, filename: f.Name}, info.Size(), af) + rr := newRandomReaderFromLinear(d.blockcache, archiveFileIndex{archiveHash: hash, filename: f.Name}, info.Size(), af) out[vfs.AbsPath(f.Name)] = fileEntry{ FileInfo: f.FileInfo(), diff --git a/daemons/archive/zip.go b/plugins/archive/zip.go similarity index 78% rename from daemons/archive/zip.go rename to plugins/archive/zip.go index 3e02e69..ccb8b88 100644 --- a/daemons/archive/zip.go +++ b/plugins/archive/zip.go @@ -5,13 +5,11 @@ import ( "context" "fmt" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" "github.com/royalcat/ctxio" ) -var _ archiveLoader = ZipLoader - -func ZipLoader(ctx context.Context, archivePath string, f vfs.File, size int64) (map[string]fileEntry, error) { +func (d *Daemon) ZipLoader(ctx context.Context, archivePath string, f vfs.File, size int64) (map[string]fileEntry, error) { hash, err := vfs.FileHash(ctx, f) if err != nil { return nil, err @@ -49,7 +47,7 @@ func ZipLoader(ctx context.Context, archivePath string, f vfs.File, size int64) info := zipFile.FileInfo() - rr := newRandomReaderFromLinear(archiveFileIndex{archiveHash: hash, filename: zipFile.Name}, info.Size(), af) + rr := newRandomReaderFromLinear(d.blockcache, archiveFileIndex{archiveHash: hash, filename: zipFile.Name}, info.Size(), af) out[vfs.AbsPath(zipFile.Name)] = fileEntry{ FileInfo: info, diff --git a/plugins/kemono/client.cfg.yaml b/plugins/kemono/client.cfg.yaml new file mode 100644 index 0000000..b840bdf --- /dev/null +++ b/plugins/kemono/client.cfg.yaml @@ -0,0 +1,6 @@ +# yaml-language-server: $schema=https://raw.githubusercontent.com/oapi-codegen/oapi-codegen/HEAD/configuration-schema.json +package: client +output: genclient/client.gen.go +generate: + models: true + client: true diff --git a/plugins/kemono/daemon.go b/plugins/kemono/daemon.go new file mode 100644 index 0000000..8d62dd9 --- /dev/null +++ b/plugins/kemono/daemon.go @@ -0,0 +1,118 @@ +package kemono + +import ( + "context" + "database/sql" + "fmt" + "io" + "path" + + "github.com/thanos-io/objstore" + "github.com/thanos-io/objstore/providers/filesystem" + "golang.org/x/sync/errgroup" + + "git.kmsign.ru/royalcat/tstor/plugins/kemono/kemonoapi" +) + +const DaemonName = "kemono" + +type Daemon struct { + coomerClient *kemonoapi.Client + kemonoClient *kemonoapi.Client + + db *sql.DB + storage objstore.Bucket +} + +type creator struct { + Service string + CreatorID string +} + +func NewDaemon(dataDir string) (*Daemon, error) { + bucket, err := filesystem.NewBucket(dataDir) + if err != nil { + return nil, fmt.Errorf("failed to create filesystem bucket: %w", err) + } + + return &Daemon{ + coomerClient: kemonoapi.NewClient("https://coomer.su/"), + kemonoClient: kemonoapi.NewClient("https://kemono.su/"), + + storage: bucket, + }, nil + +} + +func (d *Daemon) getClient(service string) *kemonoapi.Client { + switch service { + case "onlyfans", "fansly", "candfans": + return d.coomerClient + case "patreon", "fanbox", "fantia", "gumroad", "discord", "boosty", "subscribestar", "dlsite", "afdian": + return d.kemonoClient + } + + return nil +} + +func getCreatorPath(creator creator) string { + return path.Join(creator.Service, creator.CreatorID) +} + +func (d *Daemon) scrapCreator(ctx context.Context, creator creator) error { + client := d.getClient(creator.Service) + if client == nil { + return fmt.Errorf("no site for service %s", creator.Service) + } + + posts := client.FetchPosts(ctx, creator.Service, creator.CreatorID) + for post, err := range posts { + if err != nil { + return err + } + + for _, att := range append([]kemonoapi.File{post.File}, post.Attachments...) { + err := d.downloadFile(ctx, client, att) + if err != nil { + return fmt.Errorf("failed to download file: %w", err) + } + } + + } + + return nil +} + +func getStorageFilePath(file kemonoapi.File) string { + return path.Join("data", file.Path) +} + +func (d *Daemon) downloadFile(ctx context.Context, client *kemonoapi.Client, file kemonoapi.File) error { + info, err := client.HeadFile(ctx, path.Join("data", file.Path)) + if err != nil { + return fmt.Errorf("failed to get file info: %w", err) + } + + storageFilePath := getStorageFilePath(file) + + attrs, err := d.storage.Attributes(ctx, storageFilePath) + if err == nil { + return nil + } + + if attrs.Size == info.Length && attrs.LastModified.After(info.LastModified) { + return nil + } + + r, w := io.Pipe() + var g errgroup.Group + g.Go(func() error { + defer w.Close() + return client.DownloadFile(ctx, w, info.URL) + }) + g.Go(func() error { + return d.storage.Upload(ctx, storageFilePath, r) + }) + return g.Wait() + +} diff --git a/plugins/kemono/go.mod b/plugins/kemono/go.mod new file mode 100644 index 0000000..9c2fd9b --- /dev/null +++ b/plugins/kemono/go.mod @@ -0,0 +1,34 @@ +module git.kmsign.ru/royalcat/tstor/plugins/kemono + +go 1.23.5 + +require ( + github.com/go-resty/resty/v2 v2.16.2 + github.com/spf13/cast v1.7.0 + github.com/thanos-io/objstore v0.0.0-20241212213936-d69df7208cba + golang.org/x/sync v0.12.0 + golang.org/x/time v0.6.0 +) + +require ( + github.com/beorn7/perks v1.0.1 // indirect + github.com/cespare/xxhash/v2 v2.3.0 // indirect + github.com/davecgh/go-spew v1.1.2-0.20180830191138-d8f796af33cc // indirect + github.com/efficientgo/core v1.0.0-rc.0.0.20221201130417-ba593f67d2a4 // indirect + github.com/go-kit/log v0.2.1 // indirect + github.com/go-logfmt/logfmt v0.5.1 // indirect + github.com/munnerz/goautoneg v0.0.0-20191010083416-a7dc8b61c822 // indirect + github.com/pkg/errors v0.9.1 // indirect + github.com/pmezard/go-difflib v1.0.1-0.20181226105442-5d4384ee4fb2 // indirect + github.com/prometheus/client_golang v1.20.4 // indirect + github.com/prometheus/client_model v0.6.1 // indirect + github.com/prometheus/common v0.60.0 // indirect + github.com/prometheus/procfs v0.15.1 // indirect + github.com/rogpeppe/go-internal v1.13.1 // indirect + github.com/stretchr/testify v1.10.0 // indirect + go.uber.org/atomic v1.11.0 // indirect + golang.org/x/net v0.37.0 // indirect + golang.org/x/sys v0.31.0 // indirect + google.golang.org/protobuf v1.36.5 // indirect + gopkg.in/yaml.v2 v2.4.0 // indirect +) diff --git a/plugins/kemono/go.sum b/plugins/kemono/go.sum new file mode 100644 index 0000000..bda7670 --- /dev/null +++ b/plugins/kemono/go.sum @@ -0,0 +1,63 @@ +github.com/beorn7/perks v1.0.1 h1:VlbKKnNfV8bJzeqoa4cOKqO6bYr3WgKZxO8Z16+hsOM= +github.com/beorn7/perks v1.0.1/go.mod h1:G2ZrVWU2WbWT9wwq4/hrbKbnv/1ERSJQ0ibhJ6rlkpw= +github.com/cespare/xxhash/v2 v2.3.0 h1:UL815xU9SqsFlibzuggzjXhog7bL6oX9BbNZnL2UFvs= +github.com/cespare/xxhash/v2 v2.3.0/go.mod h1:VGX0DQ3Q6kWi7AoAeZDth3/j3BFtOZR5XLFGgcrjCOs= +github.com/davecgh/go-spew v1.1.2-0.20180830191138-d8f796af33cc h1:U9qPSI2PIWSS1VwoXQT9A3Wy9MM3WgvqSxFWenqJduM= +github.com/davecgh/go-spew v1.1.2-0.20180830191138-d8f796af33cc/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38= +github.com/efficientgo/core v1.0.0-rc.0.0.20221201130417-ba593f67d2a4 h1:rydBwnBoywKQMjWF0z8SriYtQ+uUcaFsxuijMjJr5PI= +github.com/efficientgo/core v1.0.0-rc.0.0.20221201130417-ba593f67d2a4/go.mod h1:kQa0V74HNYMfuJH6jiPiwNdpWXl4xd/K4tzlrcvYDQI= +github.com/frankban/quicktest v1.14.6 h1:7Xjx+VpznH+oBnejlPUj8oUpdxnVs4f8XU8WnHkI4W8= +github.com/frankban/quicktest v1.14.6/go.mod h1:4ptaffx2x8+WTWXmUCuVU6aPUX1/Mz7zb5vbUoiM6w0= +github.com/go-kit/log v0.2.1 h1:MRVx0/zhvdseW+Gza6N9rVzU/IVzaeE1SFI4raAhmBU= +github.com/go-kit/log v0.2.1/go.mod h1:NwTd00d/i8cPZ3xOwwiv2PO5MOcx78fFErGNcVmBjv0= +github.com/go-logfmt/logfmt v0.5.1 h1:otpy5pqBCBZ1ng9RQ0dPu4PN7ba75Y/aA+UpowDyNVA= +github.com/go-logfmt/logfmt v0.5.1/go.mod h1:WYhtIu8zTZfxdn5+rREduYbwxfcBr/Vr6KEVveWlfTs= +github.com/go-resty/resty/v2 v2.16.2 h1:CpRqTjIzq/rweXUt9+GxzzQdlkqMdt8Lm/fuK/CAbAg= +github.com/go-resty/resty/v2 v2.16.2/go.mod h1:0fHAoK7JoBy/Ch36N8VFeMsK7xQOHhvWaC3iOktwmIU= +github.com/google/go-cmp v0.6.0 h1:ofyhxvXcZhMsU5ulbFiLKl/XBFqE1GSq7atu8tAmTRI= +github.com/google/go-cmp v0.6.0/go.mod h1:17dUlkBOakJ0+DkrSSNjCkIjxS6bF9zb3elmeNGIjoY= +github.com/klauspost/compress v1.17.11 h1:In6xLpyWOi1+C7tXUUWv2ot1QvBjxevKAaI6IXrJmUc= +github.com/klauspost/compress v1.17.11/go.mod h1:pMDklpSncoRMuLFrf1W9Ss9KT+0rH90U12bZKk7uwG0= +github.com/kr/pretty v0.3.1 h1:flRD4NNwYAUpkphVc1HcthR4KEIFJ65n8Mw5qdRn3LE= +github.com/kr/pretty v0.3.1/go.mod h1:hoEshYVHaxMs3cyo3Yncou5ZscifuDolrwPKZanG3xk= +github.com/kr/text v0.2.0 h1:5Nx0Ya0ZqY2ygV366QzturHI13Jq95ApcVaJBhpS+AY= +github.com/kr/text v0.2.0/go.mod h1:eLer722TekiGuMkidMxC/pM04lWEeraHUUmBw8l2grE= +github.com/kylelemons/godebug v1.1.0 h1:RPNrshWIDI6G2gRW9EHilWtl7Z6Sb1BR0xunSBf0SNc= +github.com/kylelemons/godebug v1.1.0/go.mod h1:9/0rRGxNHcop5bhtWyNeEfOS8JIWk580+fNqagV/RAw= +github.com/munnerz/goautoneg v0.0.0-20191010083416-a7dc8b61c822 h1:C3w9PqII01/Oq1c1nUAm88MOHcQC9l5mIlSMApZMrHA= +github.com/munnerz/goautoneg v0.0.0-20191010083416-a7dc8b61c822/go.mod h1:+n7T8mK8HuQTcFwEeznm/DIxMOiR9yIdICNftLE1DvQ= +github.com/pkg/errors v0.9.1 h1:FEBLx1zS214owpjy7qsBeixbURkuhQAwrK5UwLGTwt4= +github.com/pkg/errors v0.9.1/go.mod h1:bwawxfHBFNV+L2hUp1rHADufV3IMtnDRdf1r5NINEl0= +github.com/pmezard/go-difflib v1.0.1-0.20181226105442-5d4384ee4fb2 h1:Jamvg5psRIccs7FGNTlIRMkT8wgtp5eCXdBlqhYGL6U= +github.com/pmezard/go-difflib v1.0.1-0.20181226105442-5d4384ee4fb2/go.mod h1:iKH77koFhYxTK1pcRnkKkqfTogsbg7gZNVY4sRDYZ/4= +github.com/prometheus/client_golang v1.20.4 h1:Tgh3Yr67PaOv/uTqloMsCEdeuFTatm5zIq5+qNN23vI= +github.com/prometheus/client_golang v1.20.4/go.mod h1:PIEt8X02hGcP8JWbeHyeZ53Y/jReSnHgO035n//V5WE= +github.com/prometheus/client_model v0.6.1 h1:ZKSh/rekM+n3CeS952MLRAdFwIKqeY8b62p8ais2e9E= +github.com/prometheus/client_model v0.6.1/go.mod h1:OrxVMOVHjw3lKMa8+x6HeMGkHMQyHDk9E3jmP2AmGiY= +github.com/prometheus/common v0.60.0 h1:+V9PAREWNvJMAuJ1x1BaWl9dewMW4YrHZQbx0sJNllA= +github.com/prometheus/common v0.60.0/go.mod h1:h0LYf1R1deLSKtD4Vdg8gy4RuOvENW2J/h19V5NADQw= +github.com/prometheus/procfs v0.15.1 h1:YagwOFzUgYfKKHX6Dr+sHT7km/hxC76UB0learggepc= +github.com/prometheus/procfs v0.15.1/go.mod h1:fB45yRUv8NstnjriLhBQLuOUt+WW4BsoGhij/e3PBqk= +github.com/rogpeppe/go-internal v1.13.1 h1:KvO1DLK/DRN07sQ1LQKScxyZJuNnedQ5/wKSR38lUII= +github.com/rogpeppe/go-internal v1.13.1/go.mod h1:uMEvuHeurkdAXX61udpOXGD/AzZDWNMNyH2VO9fmH0o= +github.com/spf13/cast v1.7.0 h1:ntdiHjuueXFgm5nzDRdOS4yfT43P5Fnud6DH50rz/7w= +github.com/spf13/cast v1.7.0/go.mod h1:ancEpBxwJDODSW/UG4rDrAqiKolqNNh2DX3mk86cAdo= +github.com/stretchr/testify v1.10.0 h1:Xv5erBjTwe/5IxqUQTdXv5kgmIvbHo3QQyRwhJsOfJA= +github.com/stretchr/testify v1.10.0/go.mod h1:r2ic/lqez/lEtzL7wO/rwa5dbSLXVDPFyf8C91i36aY= +github.com/thanos-io/objstore v0.0.0-20241212213936-d69df7208cba h1:X5YtKhjFsMAgfaD1MxT+hYrP9QftK9iA+UYS3eQW0E0= +github.com/thanos-io/objstore v0.0.0-20241212213936-d69df7208cba/go.mod h1:vyzFrBXgP+fGNG2FopEGWOO/zrIuoy7zt3LpLeezRsw= +go.uber.org/atomic v1.11.0 h1:ZvwS0R+56ePWxUNi+Atn9dWONBPp/AUETXlHW0DxSjE= +go.uber.org/atomic v1.11.0/go.mod h1:LUxbIzbOniOlMKjJjyPfpl4v+PKK2cNJn91OQbhoJI0= +golang.org/x/net v0.37.0 h1:1zLorHbz+LYj7MQlSf1+2tPIIgibq2eL5xkrGk6f+2c= +golang.org/x/sync v0.12.0 h1:MHc5BpPuC30uJk597Ri8TV3CNZcTLu6B6z4lJy+g6Jw= +golang.org/x/sys v0.31.0 h1:ioabZlmFYtWhL+TRYpcnNlLwhyxaM9kWTDEmfnprqik= +golang.org/x/time v0.6.0 h1:eTDhh4ZXt5Qf0augr54TN6suAUudPcawVZeIAPU7D4U= +golang.org/x/time v0.6.0/go.mod h1:3BpzKBy/shNhVucY/MWOyx10tF3SFh9QdLuxbVysPQM= +google.golang.org/protobuf v1.36.5 h1:tPhr+woSbjfYvY6/GPufUoYizxw1cF/yFoxJ2fmpwlM= +gopkg.in/check.v1 v0.0.0-20161208181325-20d25e280405/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0= +gopkg.in/check.v1 v1.0.0-20201130134442-10cb98267c6c h1:Hei/4ADfdWqJk1ZMxUNpqntNwaWcugrBjAiHlqqRiVk= +gopkg.in/check.v1 v1.0.0-20201130134442-10cb98267c6c/go.mod h1:JHkPIbrfpd72SG/EVd6muEfDQjcINNoR0C8j2r3qZ4Q= +gopkg.in/yaml.v2 v2.4.0 h1:D8xgwECY7CYvx+Y2n4sBz93Jn9JRvxdiyyo8CTfuKaY= +gopkg.in/yaml.v2 v2.4.0/go.mod h1:RDklbk79AGWmwhnvt/jBztapEOGDOx6ZbXqjP6csGnQ= +gopkg.in/yaml.v3 v3.0.1 h1:fxVm/GzAzEWqLHuvctI91KS9hhNmmWOoWu0XTYJS7CA= +gopkg.in/yaml.v3 v3.0.1/go.mod h1:K4uyk7z7BCEPqu6E+C64Yfv1cQ7kz7rIZviUmN+EgEM= diff --git a/plugins/kemono/kemonoapi/client_test.go b/plugins/kemono/kemonoapi/client_test.go new file mode 100644 index 0000000..7b69342 --- /dev/null +++ b/plugins/kemono/kemonoapi/client_test.go @@ -0,0 +1,25 @@ +package kemonoapi_test + +import ( + "context" + "fmt" + "testing" + + "git.kmsign.ru/royalcat/tstor/plugins/kemono/kemonoapi" +) + +func TestScrapCreator(t *testing.T) { + k := kemonoapi.NewClient("https://coomer.su/") + ctx := context.Background() + posts := k.FetchPosts(ctx, "onlyfans", "bigtittygothegg") + + for post, err := range posts { + if err != nil { + t.Fatal(err) + } + + if post.ID == "" { + t.Fatal(fmt.Errorf("post id is empty")) + } + } +} diff --git a/plugins/kemono/kemonoapi/downloader.go b/plugins/kemono/kemonoapi/downloader.go new file mode 100644 index 0000000..736158d --- /dev/null +++ b/plugins/kemono/kemonoapi/downloader.go @@ -0,0 +1,64 @@ +package kemonoapi + +import ( + "context" + "fmt" + "io" + "strconv" + "time" +) + +type fileInfo struct { + URL string + Length int64 + ContentType string + LastModified time.Time +} + +func (c *Client) HeadFile(ctx context.Context, url string) (*fileInfo, error) { + resp, err := c.client.R().SetContext(ctx).Head(url) + if err != nil { + return nil, fmt.Errorf("failed to download url %s: %w", url, err) + } + + loc := resp.Header().Get("Location") + if loc != "" { + return c.HeadFile(ctx, loc) + } + + length, err := strconv.ParseInt(resp.Header().Get("Content-Length"), 10, 64) + if err != nil { + return nil, fmt.Errorf("failed to parse Content-Length header: %w", err) + } + + lastModified, err := time.Parse(time.RFC1123, resp.Header().Get("Last-Modified")) + if err != nil { + return nil, fmt.Errorf("failed to parse Last-Modified header: %w", err) + } + + contentType := resp.Header().Get("Content-Type") + + return &fileInfo{ + URL: url, + Length: length, + ContentType: contentType, + LastModified: lastModified, + }, nil +} + +func (c *Client) DownloadFile(ctx context.Context, out io.Writer, url string) error { + resp, err := c.client.R().SetContext(ctx).SetDoNotParseResponse(true).Get(url) + if err != nil { + return fmt.Errorf("failed to download url %s: %w", url, err) + } + + body := resp.RawBody() + defer body.Close() + + _, err = io.Copy(out, body) + if err != nil { + return fmt.Errorf("failed to download url %s: %w", url, err) + } + + return nil +} diff --git a/plugins/kemono/kemonoapi/fetch.go b/plugins/kemono/kemonoapi/fetch.go new file mode 100644 index 0000000..7a694b2 --- /dev/null +++ b/plugins/kemono/kemonoapi/fetch.go @@ -0,0 +1,91 @@ +package kemonoapi + +import ( + "context" + "encoding/json" + "fmt" + "iter" + "log/slog" + "strconv" +) + +// FetchCreators fetch Creator list +func (k *Client) FetchCreators() (creators []Creator, err error) { + + // k.log.Print("fetching creator list...") + // url := fmt.Sprintf("https://%s/api/v1/creators", k.Site) + // resp, err := k.Downloader.Get(url) + // if err != nil { + // return nil, fmt.Errorf("fetch creator list error: %s", err) + // } + + // reader, err := handleCompressedHTTPResponse(resp) + // if err != nil { + // return nil, err + // } + + // data, err := ioutil.ReadAll(reader) + // if err != nil { + // return nil, fmt.Errorf("fetch creator list error: %s", err) + // } + // err = json.Unmarshal(data, &creators) + // if err != nil { + // return nil, fmt.Errorf("unmarshal creator list error: %s", err) + // } + return +} + +// FetchPosts fetch post list +func (k *Client) FetchPosts(ctx context.Context, service, creator_id string) iter.Seq2[Post, error] { + const perUnit = 50 + + return func(yield func(Post, error) bool) { + + page := 0 + + for { + k.log.Info("fetching post list", slog.Int("page", page)) + + if err := k.ratelimit.Wait(ctx); err != nil { + yield(Post{}, err) + return + } + + posts, err := k.fetchPostsPage(ctx, service, creator_id, page*perUnit) + if err != nil { + yield(Post{}, err) + return + } + + if len(posts) == 0 { + break + } + + for _, post := range posts { + if !yield(post, nil) { + return + } + } + page++ + } + } +} + +func (k *Client) fetchPostsPage(ctx context.Context, service, creator_id string, offset int) ([]Post, error) { + resp, err := k.client.R(). + SetContext(ctx). + SetQueryParam("o", strconv.Itoa(offset)). + SetPathParam("service", service). + SetPathParam("creator_id", creator_id). + Get("/{service}/user/{creator_id}") + if err != nil { + return nil, fmt.Errorf("fetch post list error: %s", err) + } + + var posts []Post + err = json.Unmarshal(resp.Body(), &posts) + if err != nil { + return nil, fmt.Errorf("unmarshal post list error: %s", err) + } + return posts, nil +} diff --git a/plugins/kemono/kemonoapi/kemono.go b/plugins/kemono/kemonoapi/kemono.go new file mode 100644 index 0000000..761fdaa --- /dev/null +++ b/plugins/kemono/kemonoapi/kemono.go @@ -0,0 +1,40 @@ +package kemonoapi + +import ( + "log/slog" + "net/http" + "time" + + "github.com/go-resty/resty/v2" + "golang.org/x/time/rate" +) + +type Downloader interface { + Download(<-chan FileWithIndex, Creator, Post) <-chan error + Get(url string) (resp *http.Response, err error) + WriteContent(Creator, Post, string) error +} + +type Client struct { + client *resty.Client + ratelimit *rate.Limiter + + log *slog.Logger +} + +func NewClient(site string) *Client { + k := &Client{ + ratelimit: rate.NewLimiter(rate.Every(time.Second), 3), + client: resty.New(). + SetBaseURL(site + "/api/v1"). + SetRetryCount(3). + SetRetryWaitTime(5 * time.Second). + AddRetryCondition(func(r *resty.Response, err error) bool { + return r != nil && r.StatusCode() == http.StatusTooManyRequests + }), + } + if k.log == nil { + k.log = slog.Default() + } + return k +} diff --git a/plugins/kemono/kemonoapi/types.go b/plugins/kemono/kemonoapi/types.go new file mode 100644 index 0000000..643a091 --- /dev/null +++ b/plugins/kemono/kemonoapi/types.go @@ -0,0 +1,186 @@ +package kemonoapi + +import ( + "encoding/json" + "fmt" + "net/url" + "path/filepath" + "time" + + "github.com/spf13/cast" +) + +type Timestamp struct { + Time time.Time +} + +func (t *Timestamp) UnmarshalJSON(b []byte) error { + var timestamp float64 + err := json.Unmarshal(b, ×tamp) + if err != nil { + return err + } + + t.Time = time.Unix(int64(timestamp), int64((timestamp-float64(int64(timestamp)))*1e9)) + return nil +} + +type Creator struct { + Favorited int `json:"favorited"` + Id string `json:"id"` + Indexed Timestamp `json:"indexed"` + Name string `json:"name"` + Service string `json:"service"` + Updated Timestamp `json:"updated"` +} + +// GetID get creator id +func (c Creator) GetID() string { + return c.Id +} + +// GetService get creator Service +func (c Creator) GetService() string { + return c.Service +} + +func (c Creator) PairString() string { + return fmt.Sprintf("%s:%s", c.Service, c.Id) +} + +func NewCreator(service, id string) Creator { + return Creator{ + Service: service, + Id: id, + } +} + +// FindCreator Get the Creator by ID and Service +func FindCreator(creators []Creator, id, service string) (Creator, bool) { + for _, creator := range creators { + if creator.Id == id && creator.Service == service { + return creator, true + } + } + return Creator{}, false +} + +type File struct { + Name string `json:"name"` + Path string `json:"path"` +} + +// GetURL return the url +func (f File) GetURL() string { + ext := filepath.Ext(f.Name) + name := f.Name[:len(f.Name)-len(ext)] + return fmt.Sprintf("%s?f=%s%s", f.Path, url.QueryEscape(name), ext) +} + +// GetHash get hash from file path +func (f File) GetHash() (string, error) { + return SplitHash(f.Path) +} + +func (f File) Index(n int) FileWithIndex { + return FileWithIndex{ + Index: n, + File: f, + } +} + +type FileWithIndex struct { + Index int + File +} + +type Attachment struct { + Name string `json:"name,omitempty"` + Path string `json:"path,omitempty"` +} + +type Author struct { + ID string `json:"id,omitempty"` + Avatar string `json:"avatar,omitempty"` + Discriminator string `json:"discriminator,omitempty"` + PublicFlags int64 `json:"public_flags,omitempty"` + Username string `json:"username,omitempty"` +} + +type Post struct { + ID string `json:"id,omitempty"` + User string `json:"user,omitempty"` + Service string `json:"service,omitempty"` + Title string `json:"title,omitempty"` + Content string `json:"content,omitempty"` + // Embed []any `json:"embed,omitempty"` + SharedFile bool `json:"shared_file,omitempty"` + + Added Time `json:"added,omitempty"` + Published Time `json:"published,omitempty"` + Edited Time `json:"edited,omitempty"` + + File File `json:"file,omitempty"` + Attachments []File `json:"attachments,omitempty"` +} + +type Time time.Time + +func (t *Time) UnmarshalJSON(b []byte) error { + var timestamp string + err := json.Unmarshal(b, ×tamp) + if err != nil { + return err + } + + if timestamp == "" { + return nil + } + + parsed, err := cast.StringToDate(timestamp) + if err != nil { + return err + } + + *t = Time(parsed) + return nil +} + +// User a creator according to the service and id +type User struct { + Service string `json:"service"` + Id string `json:"id"` +} + +// GetID get user id +func (u User) GetID() string { + return u.Id +} + +// GetService get user Service +func (u User) GetService() string { + return u.Service +} + +type FavoriteCreator struct { + FavedSeq int `json:"faved_seq"` + Id string `json:"id"` + Index string `json:"index"` + Name string `json:"name"` + Service string `json:"service"` + Update string `json:"update"` +} + +var SiteMap = map[string]string{ + "patreon": "kemono", + "fanbox": "kemono", + "gumroad": "kemono", + "subscribestar": "kemono", + "dlsite": "kemono", + "discord": "kemono", + "fantia": "kemono", + "boosty": "kemono", + "afdian": "kemono", + "onlyfans": "coomer", + "fansly": "coomer", +} diff --git a/plugins/kemono/kemonoapi/utils.go b/plugins/kemono/kemonoapi/utils.go new file mode 100644 index 0000000..a662e71 --- /dev/null +++ b/plugins/kemono/kemonoapi/utils.go @@ -0,0 +1,25 @@ +package kemonoapi + +import ( + "path/filepath" + "strings" +) + +func isImage(ext string) bool { + switch ext { + case ".apng", ".avif", ".bmp", ".gif", ".ico", ".cur", ".jpg", ".jpeg", ".jfif", ".pjpeg", ".pjp", ".png", ".svg", ".tif", ".tiff", ".webp", ".jpe": + return true + default: + return false + } +} + +func SplitHash(str string) (string, error) { + parts := strings.Split(str, "/") + if len(parts) < 4 { + return "", nil + } + ext := filepath.Ext(parts[3]) + name := parts[3][:len(parts[3])-len(ext)] + return name, nil +} diff --git a/plugins/kemono/plugin/main.go b/plugins/kemono/plugin/main.go new file mode 100644 index 0000000..6ae0d1d --- /dev/null +++ b/plugins/kemono/plugin/main.go @@ -0,0 +1,10 @@ +package main + +import "git.kmsign.ru/royalcat/tstor/plugins/kemono" + +func main() { +} + +const DaemonName = kemono.DaemonName + +var NewDaemon = kemono.NewDaemon diff --git a/daemons/qbittorrent/api.go b/plugins/qbittorrent/api.go similarity index 87% rename from daemons/qbittorrent/api.go rename to plugins/qbittorrent/api.go index 3fb1ee9..b57e46e 100644 --- a/daemons/qbittorrent/api.go +++ b/plugins/qbittorrent/api.go @@ -3,7 +3,7 @@ package qbittorrent import ( "context" - "git.kmsign.ru/royalcat/tstor/pkg/qbittorrent" + "git.kmsign.ru/royalcat/tstor/plugins/qbittorrent/pkg/qbittorrent" ) func (d *Daemon) ListTorrents(ctx context.Context) ([]*qbittorrent.TorrentInfo, error) { diff --git a/daemons/qbittorrent/cleanup.go b/plugins/qbittorrent/cleanup.go similarity index 96% rename from daemons/qbittorrent/cleanup.go rename to plugins/qbittorrent/cleanup.go index 9855fcc..188e3fc 100644 --- a/daemons/qbittorrent/cleanup.go +++ b/plugins/qbittorrent/cleanup.go @@ -9,8 +9,8 @@ import ( "path" "slices" - "git.kmsign.ru/royalcat/tstor/pkg/qbittorrent" - "git.kmsign.ru/royalcat/tstor/pkg/rlog" + "git.kmsign.ru/royalcat/tstor/plugins/qbittorrent/pkg/qbittorrent" + "git.kmsign.ru/royalcat/tstor/server/pkg/rlog" ) func (d *Daemon) Cleanup(ctx context.Context, run bool) ([]string, error) { diff --git a/daemons/qbittorrent/client.go b/plugins/qbittorrent/client.go similarity index 97% rename from daemons/qbittorrent/client.go rename to plugins/qbittorrent/client.go index a361b79..45a30c1 100644 --- a/daemons/qbittorrent/client.go +++ b/plugins/qbittorrent/client.go @@ -6,7 +6,7 @@ import ( "slices" "time" - "git.kmsign.ru/royalcat/tstor/pkg/qbittorrent" + "git.kmsign.ru/royalcat/tstor/plugins/qbittorrent/pkg/qbittorrent" "github.com/hashicorp/golang-lru/v2/expirable" "github.com/royalcat/btrgo/btrsync" "github.com/viccon/sturdyc" @@ -14,7 +14,7 @@ import ( "go.opentelemetry.io/otel/metric" ) -var meter = otel.Meter("git.kmsign.ru/royalcat/tstor/daemons/qbittorrent") +var meter = otel.Meter("git.kmsign.ru/royalcat/tstor/plugins/qbittorrent") type cacheClient struct { qb qbittorrent.Client diff --git a/daemons/qbittorrent/config.go b/plugins/qbittorrent/config.go similarity index 89% rename from daemons/qbittorrent/config.go rename to plugins/qbittorrent/config.go index cd5c4ab..de8a643 100644 --- a/daemons/qbittorrent/config.go +++ b/plugins/qbittorrent/config.go @@ -6,22 +6,30 @@ import ( ) type Config struct { - DataFolder string `koanf:"data_folder,omitempty"` - MetadataFolder string `koanf:"metadata_folder,omitempty"` + DataDir string `koanf:"data_dir"` + MetadataDir string `koanf:"metadata_dir"` } var defaultConfig = Config{ - DataFolder: "./qbittorrent/data", - MetadataFolder: "./qbittorrent/metadata", + DataDir: "/data/qbittorrent/data", + MetadataDir: "/data/qbittorrent/metadata", } -func loadConfig(koanf *koanf.Koanf) (Config, error) { - if err := koanf.Load(structs.Provider(defaultConf, "koanf"), nil); err != nil { +func loadConfig(k *koanf.Koanf) (Config, error) { + koanf := koanf.New(".") + + err := koanf.Load(structs.Provider(defaultConfig, "koanf"), nil) + if err != nil { + return Config{}, err + } + + err = koanf.Merge(k) + if err != nil { return Config{}, err } var config Config - if err := koanf.Unmarshal("", &config); err != nil { + if err := k.Unmarshal("", &config); err != nil { return Config{}, err } diff --git a/daemons/qbittorrent/daemon.go b/plugins/qbittorrent/daemon.go similarity index 85% rename from daemons/qbittorrent/daemon.go rename to plugins/qbittorrent/daemon.go index 6863811..9c897ab 100644 --- a/daemons/qbittorrent/daemon.go +++ b/plugins/qbittorrent/daemon.go @@ -12,22 +12,22 @@ import ( "sync" "time" - "git.kmsign.ru/royalcat/tstor/pkg/qbittorrent" - "git.kmsign.ru/royalcat/tstor/pkg/rlog" - "git.kmsign.ru/royalcat/tstor/src/daemon" - "git.kmsign.ru/royalcat/tstor/src/logwrap" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/plugins/qbittorrent/pkg/qbittorrent" + "git.kmsign.ru/royalcat/tstor/server/pkg/rlog" + "git.kmsign.ru/royalcat/tstor/server/src/daemon" + "git.kmsign.ru/royalcat/tstor/server/src/logwrap" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/tstor" "github.com/anacrolix/torrent/metainfo" "github.com/anacrolix/torrent/types/infohash" infohash_v2 "github.com/anacrolix/torrent/types/infohash-v2" mapset "github.com/deckarep/golang-set/v2" - "github.com/iceber/iouring-go" "github.com/knadh/koanf/v2" "github.com/royalcat/ctxio" "go.opentelemetry.io/otel" ) -var trace = otel.Tracer("git.kmsign.ru/royalcat/tstor/daemons/qbittorrent") +var trace = otel.Tracer("git.kmsign.ru/royalcat/tstor/plugins/qbittorrent") type Daemon struct { proc *os.Process @@ -40,7 +40,6 @@ type Daemon struct { registeredTorrents mapset.Set[string] // infohash list dataDir string - ur *iouring.IOURing log *rlog.Logger } @@ -53,6 +52,11 @@ WebUI\LocalHostAuth=false WebUI\Password_PBKDF2="@ByteArray(qef5I4wZBkDG+PP6/5mQwA==:LoTmorQM/QM5RHI4+dOiu6xfAz9xak6fhR4ZGpRtJF3JNCGG081Yrtva4G71kXz//ODUuWQKTLlrZPuIDvzqUQ==)" ` +var Plugin = &tstor.Plugin{ + Name: DaemonName, + DaemonConstructor: NewDaemon, +} + const DaemonName = "qbittorrent" var _ daemon.DaemonConstructor = NewDaemon @@ -60,12 +64,14 @@ var _ daemon.DaemonConstructor = NewDaemon func NewDaemon(ctx context.Context, koanf *koanf.Koanf) (daemon.Daemon, error) { log := rlog.Component(DaemonName) + log.Debug(ctx, "QBittorrent plugin loaded. Starting qbittorrent-nox") + config, err := loadConfig(koanf) if err != nil { return nil, err } - binPath := config.MetadataFolder + "/qbittorrent-nox" + binPath := config.MetadataDir + "/qbittorrent-nox" err = downloadLatestQbitRelease(ctx, binPath) if err != nil { return nil, err @@ -75,26 +81,26 @@ func NewDaemon(ctx context.Context, koanf *koanf.Koanf) (daemon.Daemon, error) { outLog := logwrap.NewSlogWriter(ctx, slog.LevelInfo, daemonLog.Slog()) errLog := logwrap.NewSlogWriter(ctx, slog.LevelError, daemonLog.Slog()) - _, err = os.Stat(config.MetadataFolder + "/profile/qBittorrent/config/qBittorrent.conf") + _, err = os.Stat(config.MetadataDir + "/profile/qBittorrent/config/qBittorrent.conf") if errors.Is(err, os.ErrNotExist) { - err = os.MkdirAll(config.MetadataFolder+"/profile/qBittorrent/config", 0744) + err = os.MkdirAll(config.MetadataDir+"/profile/qBittorrent/config", 0744) if err != nil { return nil, err } - err = os.WriteFile(config.MetadataFolder+"/profile/qBittorrent/config/qBittorrent.conf", []byte(defaultConf), 0644) + err = os.WriteFile(config.MetadataDir+"/profile/qBittorrent/config/qBittorrent.conf", []byte(defaultConf), 0644) if err != nil { return nil, err } } - err = os.MkdirAll(config.DataFolder, 0744) + err = os.MkdirAll(config.DataDir, 0744) if err != nil { return nil, err } const port = 25436 - proc, err := runQBittorrent(binPath, config.MetadataFolder+"/profile", port, outLog, errLog) + proc, err := runQBittorrent(binPath, config.MetadataDir+"/profile", port, outLog, errLog) if err != nil { return nil, err } @@ -118,7 +124,7 @@ func NewDaemon(ctx context.Context, koanf *koanf.Koanf) (daemon.Daemon, error) { time.Sleep(time.Second) } - dataDir, err := filepath.Abs(config.DataFolder) + dataDir, err := filepath.Abs(config.DataDir) if err != nil { return nil, err } @@ -130,16 +136,10 @@ func NewDaemon(ctx context.Context, koanf *koanf.Koanf) (daemon.Daemon, error) { return nil, err } - ur, err := iouring.New(8, iouring.WithAsync()) - if err != nil { - return nil, err - } - return &Daemon{ qb: qb, proc: proc, - dataDir: config.DataFolder, - ur: ur, + dataDir: config.DataDir, sourceFiles: make(map[string]string), registeredTorrents: mapset.NewSet[string](), client: wrapClient(qb), diff --git a/daemons/qbittorrent/fs.go b/plugins/qbittorrent/fs.go similarity index 95% rename from daemons/qbittorrent/fs.go rename to plugins/qbittorrent/fs.go index 8c2dd17..a6edee9 100644 --- a/daemons/qbittorrent/fs.go +++ b/plugins/qbittorrent/fs.go @@ -13,10 +13,9 @@ import ( "sync" "time" - "git.kmsign.ru/royalcat/tstor/pkg/qbittorrent" - "git.kmsign.ru/royalcat/tstor/pkg/rlog" - "git.kmsign.ru/royalcat/tstor/src/vfs" - "github.com/iceber/iouring-go" + "git.kmsign.ru/royalcat/tstor/plugins/qbittorrent/pkg/qbittorrent" + "git.kmsign.ru/royalcat/tstor/server/pkg/rlog" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" ) type FS struct { @@ -27,8 +26,6 @@ type FS struct { dataDir string // directory where torrent files are stored modTime time.Time - ur *iouring.IOURing - entries map[string]fileEntry log *rlog.Logger @@ -87,7 +84,7 @@ func (f *FS) Open(ctx context.Context, name string) (vfs.File, error) { } if entry, ok := f.entries[name]; ok { - return openFile(ctx, f.ur, f.client, f.dataDir, f.hash, entry.Content) + return openFile(ctx, f.client, f.dataDir, f.hash, entry.Content) } for p := range f.entries { @@ -196,7 +193,7 @@ func (f *FS) removeFile(ctx context.Context, hash string, content *qbittorrent.T return nil } -func openFile(ctx context.Context, ur *iouring.IOURing, client *cacheClient, torrentDir string, hash string, content *qbittorrent.TorrentContent) (*File, error) { +func openFile(ctx context.Context, client *cacheClient, torrentDir string, hash string, content *qbittorrent.TorrentContent) (*File, error) { props, err := client.getProperties(ctx, hash) if err != nil { return nil, err diff --git a/daemons/qbittorrent/go.mod b/plugins/qbittorrent/go.mod similarity index 56% rename from daemons/qbittorrent/go.mod rename to plugins/qbittorrent/go.mod index 592c28d..069e0d0 100644 --- a/daemons/qbittorrent/go.mod +++ b/plugins/qbittorrent/go.mod @@ -1,14 +1,17 @@ -module git.kmsign.ru/royalcat/tstor/daemons/qbittorrent +module git.kmsign.ru/royalcat/tstor/plugins/qbittorrent go 1.23.5 +toolchain go1.24.1 + +replace github.com/iceber/iouring-go => github.com/royalcat/iouring-go v0.0.0-20240925200811-286062ac1b23 + require ( - git.kmsign.ru/royalcat/tstor v0.0.0-20250120032914-a43371d1e3b9 github.com/anacrolix/torrent v1.58.1-0.20241228235504-75e6b6565845 github.com/deckarep/golang-set/v2 v2.7.0 github.com/google/go-github/v63 v63.0.0 + github.com/gorilla/schema v1.4.1 github.com/hashicorp/golang-lru/v2 v2.0.7 - github.com/iceber/iouring-go v0.0.0-20230403020409-002cfd2e2a90 github.com/knadh/koanf/providers/structs v0.1.0 github.com/knadh/koanf/v2 v2.1.2 github.com/royalcat/btrgo v0.0.0-20240318160410-19bd27154450 @@ -17,7 +20,8 @@ require ( github.com/viccon/sturdyc v1.1.1 go.opentelemetry.io/otel v1.34.0 go.opentelemetry.io/otel/metric v1.34.0 - golang.org/x/sys v0.29.0 + golang.org/x/exp v0.0.0-20250106191152-7588d65b2ba8 + golang.org/x/sys v0.31.0 ) require ( @@ -28,50 +32,25 @@ require ( github.com/bradfitz/iter v0.0.0-20191230175014-e8f45d346db8 // indirect github.com/cespare/xxhash/v2 v2.3.0 // indirect github.com/davecgh/go-spew v1.1.2-0.20180830191138-d8f796af33cc // indirect - github.com/dgraph-io/badger/v4 v4.5.0 // indirect - github.com/dgraph-io/ristretto/v2 v2.0.0 // indirect - github.com/dustin/go-humanize v1.0.1 // indirect github.com/fatih/structs v1.1.0 // indirect - github.com/go-git/go-billy/v5 v5.6.1 // indirect github.com/go-logr/logr v1.4.2 // indirect github.com/go-logr/stdr v1.2.2 // indirect github.com/go-viper/mapstructure/v2 v2.2.1 // indirect - github.com/golang/groupcache v0.0.0-20210331224755-41bb18bfe9da // indirect - github.com/google/flatbuffers v24.3.25+incompatible // indirect github.com/google/go-querystring v1.1.0 // indirect - github.com/gorilla/schema v1.4.1 // indirect - github.com/goware/singleflight v0.2.0 // indirect github.com/huandu/xstrings v1.4.0 // indirect - github.com/klauspost/compress v1.17.11 // indirect github.com/klauspost/cpuid/v2 v2.2.8 // indirect github.com/knadh/koanf/maps v0.1.1 // indirect - github.com/mattn/go-colorable v0.1.13 // indirect - github.com/mattn/go-isatty v0.0.20 // indirect github.com/minio/sha256-simd v1.0.0 // indirect github.com/mitchellh/copystructure v1.2.0 // indirect github.com/mitchellh/reflectwalk v1.0.2 // indirect github.com/mr-tron/base58 v1.2.0 // indirect github.com/multiformats/go-multihash v0.2.3 // indirect github.com/multiformats/go-varint v0.0.6 // indirect - github.com/pkg/errors v0.9.1 // indirect github.com/pmezard/go-difflib v1.0.1-0.20181226105442-5d4384ee4fb2 // indirect - github.com/rasky/go-xdr v0.0.0-20170124162913-1a41d1a06c93 // indirect - github.com/rs/zerolog v1.32.0 // indirect - github.com/samber/lo v1.47.0 // indirect - github.com/samber/slog-multi v1.0.2 // indirect - github.com/samber/slog-zerolog v1.0.0 // indirect - github.com/sourcegraph/conc v0.3.0 // indirect github.com/spaolacci/murmur3 v1.1.0 // indirect - github.com/willscott/go-nfs-client v0.0.0-20240104095149-b44639837b00 // indirect - go.opencensus.io v0.24.0 // indirect go.opentelemetry.io/auto/sdk v1.1.0 // indirect go.opentelemetry.io/otel/trace v1.34.0 // indirect - go.uber.org/multierr v1.10.0 // indirect - golang.org/x/crypto v0.32.0 // indirect - golang.org/x/exp v0.0.0-20250106191152-7588d65b2ba8 // indirect - golang.org/x/net v0.34.0 // indirect - golang.org/x/text v0.21.0 // indirect - google.golang.org/protobuf v1.35.1 // indirect + golang.org/x/crypto v0.36.0 // indirect gopkg.in/yaml.v3 v3.0.1 // indirect lukechampine.com/blake3 v1.1.6 // indirect ) diff --git a/daemons/qbittorrent/go.sum b/plugins/qbittorrent/go.sum similarity index 76% rename from daemons/qbittorrent/go.sum rename to plugins/qbittorrent/go.sum index 56af42c..8cde900 100644 --- a/daemons/qbittorrent/go.sum +++ b/plugins/qbittorrent/go.sum @@ -2,8 +2,6 @@ cloud.google.com/go v0.26.0/go.mod h1:aQUYkXzVsufM+DwF1aE+0xfcU+56JwCaLick0ClmMT cloud.google.com/go v0.34.0/go.mod h1:aQUYkXzVsufM+DwF1aE+0xfcU+56JwCaLick0ClmMTw= crawshaw.io/iox v0.0.0-20181124134642-c51c3df30797/go.mod h1:sXBiorCo8c46JlQV3oXPKINnZ8mcqnye1EkVkqsectk= crawshaw.io/sqlite v0.3.2/go.mod h1:igAO5JulrQ1DbdZdtVq48mnZUBAPOeFzer7VhDWNtW4= -git.kmsign.ru/royalcat/tstor v0.0.0-20250120032914-a43371d1e3b9 h1:DHcbILTa1w3TWerW1Wkty/2TIsjK7Hr0yeoTBCYrf4U= -git.kmsign.ru/royalcat/tstor v0.0.0-20250120032914-a43371d1e3b9/go.mod h1:vhoCnS6pDoj3OS9jnFjdRPldAkcvxirfKh0aXxa88EI= github.com/BurntSushi/toml v0.3.1/go.mod h1:xHWCNGjB5oqiDr8zfno3MHue2Ht5sIBksp03qcyfWMU= github.com/RoaringBitmap/roaring v0.4.7/go.mod h1:8khRDP4HmeXns4xIj9oGrKSz7XTQiJx2zgh7AcNke4w= github.com/RoaringBitmap/roaring v0.4.17/go.mod h1:D3qVegWTmfCaX4Bl5CrBE9hfrSrrXIr8KVNvRsDi1NI= @@ -15,6 +13,7 @@ github.com/alecthomas/template v0.0.0-20190718012654-fb15b899a751/go.mod h1:LOuy github.com/alecthomas/units v0.0.0-20151022065526-2efee857e7cf/go.mod h1:ybxpYRFXyAe+OPACYpWeL0wqObRcbAqCMya13uyzqw0= github.com/alecthomas/units v0.0.0-20190717042225-c3de453c63f4/go.mod h1:ybxpYRFXyAe+OPACYpWeL0wqObRcbAqCMya13uyzqw0= github.com/anacrolix/dht/v2 v2.22.0 h1:wat5FLdT25vltHsjX377GBrpK9o6L2QVn541bIguCYo= +github.com/anacrolix/dht/v2 v2.22.0/go.mod h1:shbBjhgvezqsJoE+hMo/ezHYQFF18V9jUllNIP5xV9k= github.com/anacrolix/envpprof v0.0.0-20180404065416-323002cec2fa/go.mod h1:KgHhUaQMc8cC0+cEflSgCFNFbKwi5h54gqtVn8yhP7c= github.com/anacrolix/envpprof v1.0.0/go.mod h1:KgHhUaQMc8cC0+cEflSgCFNFbKwi5h54gqtVn8yhP7c= github.com/anacrolix/envpprof v1.1.0/go.mod h1:My7T5oSqVfEn4MD4Meczkw/f5lSIndGAKu/0SM/rkf4= @@ -33,6 +32,7 @@ github.com/anacrolix/missinggo/v2 v2.5.1/go.mod h1:WEjqh2rmKECd0t1VhQkLGTdIWXO6f github.com/anacrolix/missinggo/v2 v2.7.4 h1:47h5OXoPV8JbA/ACA+FLwKdYbAinuDO8osc2Cu9xkxg= github.com/anacrolix/missinggo/v2 v2.7.4/go.mod h1:vVO5FEziQm+NFmJesc7StpkquZk+WJFCaL0Wp//2sa0= github.com/anacrolix/multiless v0.4.0 h1:lqSszHkliMsZd2hsyrDvHOw4AbYWa+ijQ66LzbjqWjM= +github.com/anacrolix/multiless v0.4.0/go.mod h1:zJv1JF9AqdZiHwxqPgjuOZDGWER6nyE48WBCi/OOrMM= github.com/anacrolix/stm v0.2.0/go.mod h1:zoVQRvSiGjGoTmbM0vSLIiaKjWtNPeTvXUSdJQA4hsg= github.com/anacrolix/tagflag v0.0.0-20180109131632-2146c8d41bf0/go.mod h1:1m2U/K6ZT+JZG0+bdMK6qauP49QT4wE5pmhJXOKKCHw= github.com/anacrolix/tagflag v1.0.0/go.mod h1:1m2U/K6ZT+JZG0+bdMK6qauP49QT4wE5pmhJXOKKCHw= @@ -48,37 +48,22 @@ github.com/bradfitz/iter v0.0.0-20140124041915-454541ec3da2/go.mod h1:PyRFw1Lt2w github.com/bradfitz/iter v0.0.0-20190303215204-33e6a9893b0c/go.mod h1:PyRFw1Lt2wKX4ZVSQ2mk+PeDa1rxyObEDlApuIsUKuo= github.com/bradfitz/iter v0.0.0-20191230175014-e8f45d346db8 h1:GKTyiRCL6zVf5wWaqKnf+7Qs6GbEPfd4iMOitWzXJx8= github.com/bradfitz/iter v0.0.0-20191230175014-e8f45d346db8/go.mod h1:spo1JLcs67NmW1aVLEgtA8Yy1elc+X8y5SRW1sFW4Og= -github.com/census-instrumentation/opencensus-proto v0.2.1/go.mod h1:f6KPmirojxKA12rnyqOA5BBL4O983OfeGPqjHWSTneU= github.com/cespare/xxhash/v2 v2.1.1/go.mod h1:VGX0DQ3Q6kWi7AoAeZDth3/j3BFtOZR5XLFGgcrjCOs= github.com/cespare/xxhash/v2 v2.3.0 h1:UL815xU9SqsFlibzuggzjXhog7bL6oX9BbNZnL2UFvs= github.com/cespare/xxhash/v2 v2.3.0/go.mod h1:VGX0DQ3Q6kWi7AoAeZDth3/j3BFtOZR5XLFGgcrjCOs= github.com/client9/misspell v0.3.4/go.mod h1:qj6jICC3Q7zFZvVWo7KLAzC3yx5G7kyvSDkc90ppPyw= -github.com/cncf/udpa/go v0.0.0-20191209042840-269d4d468f6f/go.mod h1:M8M6+tZqaGXZJjfX53e64911xZQV5JYwmTeXPW+k8Sc= -github.com/coreos/go-systemd/v22 v22.5.0/go.mod h1:Y58oyj3AT4RCenI/lSvhwexgC+NSVTIJ3seZv2GcEnc= github.com/davecgh/go-spew v1.1.0/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38= github.com/davecgh/go-spew v1.1.1/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38= github.com/davecgh/go-spew v1.1.2-0.20180830191138-d8f796af33cc h1:U9qPSI2PIWSS1VwoXQT9A3Wy9MM3WgvqSxFWenqJduM= github.com/davecgh/go-spew v1.1.2-0.20180830191138-d8f796af33cc/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38= github.com/deckarep/golang-set/v2 v2.7.0 h1:gIloKvD7yH2oip4VLhsv3JyLLFnC0Y2mlusgcvJYW5k= github.com/deckarep/golang-set/v2 v2.7.0/go.mod h1:VAky9rY/yGXJOLEDv3OMci+7wtDpOF4IN+y82NBOac4= -github.com/dgraph-io/badger/v4 v4.5.0 h1:TeJE3I1pIWLBjYhIYCA1+uxrjWEoJXImFBMEBVSm16g= -github.com/dgraph-io/badger/v4 v4.5.0/go.mod h1:ysgYmIeG8dS/E8kwxT7xHyc7MkmwNYLRoYnFbr7387A= -github.com/dgraph-io/ristretto/v2 v2.0.0 h1:l0yiSOtlJvc0otkqyMaDNysg8E9/F/TYZwMbxscNOAQ= -github.com/dgraph-io/ristretto/v2 v2.0.0/go.mod h1:FVFokF2dRqXyPyeMnK1YDy8Fc6aTe0IKgbcd03CYeEk= -github.com/dgryski/go-farm v0.0.0-20200201041132-a6ae2369ad13 h1:fAjc9m62+UWV/WAFKLNi6ZS0675eEUC9y3AlwSbQu1Y= -github.com/dgryski/go-farm v0.0.0-20200201041132-a6ae2369ad13/go.mod h1:SqUrOPUnsFjfmXRMNPybcSiG0BgUW2AuFH8PAnS2iTw= github.com/docopt/docopt-go v0.0.0-20180111231733-ee0de3bc6815/go.mod h1:WwZ+bS3ebgob9U8Nd0kOddGdZWjyMGR8Wziv+TBNwSE= github.com/dustin/go-humanize v0.0.0-20180421182945-02af3965c54e/go.mod h1:HtrtbFcZ19U5GC7JDqmcUSB87Iq5E25KnS6fMYU6eOk= github.com/dustin/go-humanize v1.0.0/go.mod h1:HtrtbFcZ19U5GC7JDqmcUSB87Iq5E25KnS6fMYU6eOk= -github.com/dustin/go-humanize v1.0.1 h1:GzkhY7T5VNhEkwH0PVJgjz+fX1rhBrR7pRT3mDkpeCY= -github.com/dustin/go-humanize v1.0.1/go.mod h1:Mu1zIs6XwVuF/gI1OepvI0qD18qycQx+mFykh5fBlto= github.com/eapache/go-resiliency v1.1.0/go.mod h1:kFI+JgMyC7bLPUVY133qvEBtVayf5mFgVsvEsIPBvNs= github.com/eapache/go-xerial-snappy v0.0.0-20180814174437-776d5712da21/go.mod h1:+020luEh2TKB4/GOp8oxxtq0Daoen/Cii55CzbTV6DU= github.com/eapache/queue v1.1.0/go.mod h1:6eCeP0CKFpHLu8blIFXhExK/dRa7WDZfr6jVFPTqq+I= -github.com/envoyproxy/go-control-plane v0.9.0/go.mod h1:YTl/9mNaCwkRvm6d1a2C3ymFceY/DCBVvsKhRF0iEA4= -github.com/envoyproxy/go-control-plane v0.9.1-0.20191026205805-5f8ba28d4473/go.mod h1:YTl/9mNaCwkRvm6d1a2C3ymFceY/DCBVvsKhRF0iEA4= -github.com/envoyproxy/go-control-plane v0.9.4/go.mod h1:6rpuAdCZL397s3pYoYcLgu1mIlRU8Am5FuJP05cCM98= -github.com/envoyproxy/protoc-gen-validate v0.1.0/go.mod h1:iSmxcyjqTsJpI2R4NaDN7+kN2VEUnK/pcBlmesArF7c= github.com/fatih/structs v1.1.0 h1:Q7juDM0QtcnhCpeyLGQKyg4TOIghuNXrkL32pHAUMxo= github.com/fatih/structs v1.1.0/go.mod h1:9NiDSp5zOcgEDl+j00MP/WkGVPOlPRLejGD8Ga6PJ7M= github.com/frankban/quicktest v1.14.6 h1:7Xjx+VpznH+oBnejlPUj8oUpdxnVs4f8XU8WnHkI4W8= @@ -90,8 +75,6 @@ github.com/glycerine/go-unsnap-stream v0.0.0-20190901134440-81cf024a9e0a/go.mod github.com/glycerine/goconvey v0.0.0-20180728074245-46e3a41ad493/go.mod h1:Ogl1Tioa0aV7gstGFO7KhffUsb9M4ydbEbbxpcEDc24= github.com/glycerine/goconvey v0.0.0-20190315024820-982ee783a72e/go.mod h1:Ogl1Tioa0aV7gstGFO7KhffUsb9M4ydbEbbxpcEDc24= github.com/glycerine/goconvey v0.0.0-20190410193231-58a59202ab31/go.mod h1:Ogl1Tioa0aV7gstGFO7KhffUsb9M4ydbEbbxpcEDc24= -github.com/go-git/go-billy/v5 v5.6.1 h1:u+dcrgaguSSkbjzHwelEjc0Yj300NUevrrPphk/SoRA= -github.com/go-git/go-billy/v5 v5.6.1/go.mod h1:0AsLr1z2+Uksi4NlElmMblP5rPcDZNRCD8ujZCRR2BE= github.com/go-kit/kit v0.8.0/go.mod h1:xBxKIO96dXMWWy0MnWVtmwkA9/13aqxPnvrjFYMA2as= github.com/go-kit/kit v0.9.0/go.mod h1:xBxKIO96dXMWWy0MnWVtmwkA9/13aqxPnvrjFYMA2as= github.com/go-logfmt/logfmt v0.3.0/go.mod h1:Qt1PoO58o5twSAckw1HlFXLmHsOX5/0LbT9GBnD5lWE= @@ -104,14 +87,11 @@ github.com/go-logr/stdr v1.2.2/go.mod h1:mMo/vtBO5dYbehREoey6XUKy/eSumjCCveDpRre github.com/go-stack/stack v1.8.0/go.mod h1:v0f6uXyyMGvRgIKkXu+yp6POWl0qKG85gN/melR3HDY= github.com/go-viper/mapstructure/v2 v2.2.1 h1:ZAaOCxANMuZx5RCeg0mBdEZk7DZasvvZIxtHqx8aGss= github.com/go-viper/mapstructure/v2 v2.2.1/go.mod h1:oJDH3BJKyqBA2TXFhDsKDGDTlndYOZ6rGS0BRZIxGhM= -github.com/godbus/dbus/v5 v5.0.4/go.mod h1:xhWf0FNVPg57R7Z0UbKHbJfkEywrmjJnf7w5xrFpKfA= github.com/gogo/protobuf v1.1.1/go.mod h1:r8qH/GZQm5c6nD/R0oafs1akxWv10x8SbQlK7atdtwQ= github.com/gogo/protobuf v1.2.0/go.mod h1:r8qH/GZQm5c6nD/R0oafs1akxWv10x8SbQlK7atdtwQ= github.com/golang/glog v0.0.0-20160126235308-23def4e6c14b/go.mod h1:SBH7ygxi8pfUlaOkMMuAQtPIUF8ecWP5IEl/CR7VP2Q= github.com/golang/groupcache v0.0.0-20190702054246-869f871628b6/go.mod h1:cIg4eruTrX1D+g88fzRXU5OdNfaM+9IcxsU14FzY7Hc= github.com/golang/groupcache v0.0.0-20200121045136-8c9f03a8e57e/go.mod h1:cIg4eruTrX1D+g88fzRXU5OdNfaM+9IcxsU14FzY7Hc= -github.com/golang/groupcache v0.0.0-20210331224755-41bb18bfe9da h1:oI5xCqsCo564l8iNU+DwB5epxmsaqB+rhGL0m5jtYqE= -github.com/golang/groupcache v0.0.0-20210331224755-41bb18bfe9da/go.mod h1:cIg4eruTrX1D+g88fzRXU5OdNfaM+9IcxsU14FzY7Hc= github.com/golang/mock v1.1.1/go.mod h1:oTYuIxOrZwtPieC+H1uAHpcLFnEyAGVDL/k47Jfbm0A= github.com/golang/protobuf v1.2.0/go.mod h1:6lQm79b+lXiMfvg/cZm0SGofjICqVBUtrP5yJMmIC1U= github.com/golang/protobuf v1.3.1/go.mod h1:6lQm79b+lXiMfvg/cZm0SGofjICqVBUtrP5yJMmIC1U= @@ -121,21 +101,15 @@ github.com/golang/protobuf v1.4.0-rc.1.0.20200221234624-67d41d38c208/go.mod h1:x github.com/golang/protobuf v1.4.0-rc.2/go.mod h1:LlEzMj4AhA7rCAGe4KMBDvJI+AwstrUpVNzEA03Pprs= github.com/golang/protobuf v1.4.0-rc.4.0.20200313231945-b860323f09d0/go.mod h1:WU3c8KckQ9AFe+yFwt9sWVRKCVIyN9cPHBJSNnbL67w= github.com/golang/protobuf v1.4.0/go.mod h1:jodUvKwWbYaEsadDk5Fwe5c77LiNKVO9IDvqG2KuDX0= -github.com/golang/protobuf v1.4.1/go.mod h1:U8fpvMrcmy5pZrNK1lt4xCsGvpyWQ/VVv6QDs8UjoX8= -github.com/golang/protobuf v1.4.3/go.mod h1:oDoupMAO8OvCJWAcko0GGGIgR6R6ocIYbsSw735rRwI= github.com/golang/snappy v0.0.0-20180518054509-2e65f85255db/go.mod h1:/XxbfmMg8lxefKM7IXC3fBNl/7bRcc72aCRzEWrmP2Q= github.com/golang/snappy v0.0.1/go.mod h1:/XxbfmMg8lxefKM7IXC3fBNl/7bRcc72aCRzEWrmP2Q= github.com/google/btree v0.0.0-20180124185431-e89373fe6b4a/go.mod h1:lNA+9X1NB3Zf8V7Ke586lFgjr2dZNuvo3lPJSGZ5JPQ= github.com/google/btree v1.0.0/go.mod h1:lNA+9X1NB3Zf8V7Ke586lFgjr2dZNuvo3lPJSGZ5JPQ= -github.com/google/flatbuffers v24.3.25+incompatible h1:CX395cjN9Kke9mmalRoL3d81AtFUxJM+yDthflgJGkI= -github.com/google/flatbuffers v24.3.25+incompatible/go.mod h1:1AeVuKshWv4vARoZatz6mlQ0JxURH0Kv5+zNeJKJCa8= github.com/google/go-cmp v0.2.0/go.mod h1:oXzfMopK8JAjlY9xF4vHSVASa0yLyX7SntLO5aqRK0M= github.com/google/go-cmp v0.3.0/go.mod h1:8QqcDgzrUqlUb/G2PQTWiueGozuR1884gddMywk6iLU= github.com/google/go-cmp v0.3.1/go.mod h1:8QqcDgzrUqlUb/G2PQTWiueGozuR1884gddMywk6iLU= github.com/google/go-cmp v0.4.0/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE= -github.com/google/go-cmp v0.5.0/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE= github.com/google/go-cmp v0.5.2/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE= -github.com/google/go-cmp v0.5.3/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE= github.com/google/go-cmp v0.6.0 h1:ofyhxvXcZhMsU5ulbFiLKl/XBFqE1GSq7atu8tAmTRI= github.com/google/go-cmp v0.6.0/go.mod h1:17dUlkBOakJ0+DkrSSNjCkIjxS6bF9zb3elmeNGIjoY= github.com/google/go-github/v63 v63.0.0 h1:13xwK/wk9alSokujB9lJkuzdmQuVn2QCPeck76wR3nE= @@ -143,9 +117,6 @@ github.com/google/go-github/v63 v63.0.0/go.mod h1:IqbcrgUmIcEaioWrGYei/09o+ge5vh github.com/google/go-querystring v1.1.0 h1:AnCroh3fv4ZBgVIf1Iwtovgjaw/GiKJo8M8yD/fhyJ8= github.com/google/go-querystring v1.1.0/go.mod h1:Kcdr2DB4koayq7X8pmAG4sNG59So17icRSOU623lUBU= github.com/google/gofuzz v1.0.0/go.mod h1:dBl0BpW6vV/+mYPU4Po3pmUjxk6FQPldtuIdl/M65Eg= -github.com/google/uuid v1.1.2/go.mod h1:TIyPZe4MgqvfeYDBFedMoGGpEw/LqOeaOT+nhxU+yHo= -github.com/google/uuid v1.6.0 h1:NIvaJDMOsjHA8n1jAhLSgzrAzy1Hgr+hNrb57e+94F0= -github.com/google/uuid v1.6.0/go.mod h1:TIyPZe4MgqvfeYDBFedMoGGpEw/LqOeaOT+nhxU+yHo= github.com/gopherjs/gopherjs v0.0.0-20181017120253-0766667cb4d1/go.mod h1:wJfORRmW1u3UXTncJ5qlYoELFm8eSnnEO6hX4iZ3EWY= github.com/gopherjs/gopherjs v0.0.0-20181103185306-d547d1d9531e/go.mod h1:wJfORRmW1u3UXTncJ5qlYoELFm8eSnnEO6hX4iZ3EWY= github.com/gopherjs/gopherjs v0.0.0-20190309154008-847fc94819f9/go.mod h1:wJfORRmW1u3UXTncJ5qlYoELFm8eSnnEO6hX4iZ3EWY= @@ -154,8 +125,6 @@ github.com/gorilla/context v1.1.1/go.mod h1:kBGZzfjB9CEq2AlWe17Uuf7NDRt0dE0s8S51 github.com/gorilla/mux v1.6.2/go.mod h1:1lud6UwP+6orDFRuTfBEV8e9/aOM/c4fVVCaMa2zaAs= github.com/gorilla/schema v1.4.1 h1:jUg5hUjCSDZpNGLuXQOgIWGdlgrIdYvgQ0wZtdK1M3E= github.com/gorilla/schema v1.4.1/go.mod h1:Dg5SSm5PV60mhF2NFaTV1xuYYj8tV8NOPRo4FggUMnM= -github.com/goware/singleflight v0.2.0 h1:e/hZsvNmbLoiZLx3XbihH01oXYA2MwLFo4e+N017U4c= -github.com/goware/singleflight v0.2.0/go.mod h1:SsAslCMS7HizXdbYcBQRBLC7HcNmFrHutRt3Hz6wovY= github.com/hashicorp/golang-lru v0.5.0/go.mod h1:/m3WP610KZHVQ1SGc6re/UDhFvYD7pJ4Ao+sR/qLZy8= github.com/hashicorp/golang-lru/v2 v2.0.7 h1:a+bsQ5rvGLjzHuww6tVxozPZFVghXaHOwFs4luLUK2k= github.com/hashicorp/golang-lru/v2 v2.0.7/go.mod h1:QeFd9opnmA6QUJc5vARoKUSoFhyfM2/ZepoAG6RGpeM= @@ -165,16 +134,12 @@ github.com/huandu/xstrings v1.2.0/go.mod h1:DvyZB1rfVYsBIigL8HwpZgxHwXozlTgGqn63 github.com/huandu/xstrings v1.3.1/go.mod h1:y5/lhBue+AyNmUVz9RLU9xbLR0o4KIIExikq4ovT0aE= github.com/huandu/xstrings v1.4.0 h1:D17IlohoQq4UcpqD7fDk80P7l+lwAmlFaBHgOipl2FU= github.com/huandu/xstrings v1.4.0/go.mod h1:y5/lhBue+AyNmUVz9RLU9xbLR0o4KIIExikq4ovT0aE= -github.com/iceber/iouring-go v0.0.0-20230403020409-002cfd2e2a90 h1:xrtfZokN++5kencK33hn2Kx3Uj8tGnjMEhdt6FMvHD0= -github.com/iceber/iouring-go v0.0.0-20230403020409-002cfd2e2a90/go.mod h1:LEzdaZarZ5aqROlLIwJ4P7h3+4o71008fSy6wpaEB+s= github.com/json-iterator/go v1.1.6/go.mod h1:+SdeFBvtyEkXs7REEP0seUULqWtbJapLOCVDaaPEHmU= github.com/json-iterator/go v1.1.9/go.mod h1:KdQUCv79m/52Kvf8AW2vK1V8akMuk1QjK/uOdHXbAo4= github.com/jtolds/gls v4.2.1+incompatible/go.mod h1:QJZ7F/aHp+rZTRtaJ1ow/lLfFfVYBRgL+9YlvaHOwJU= github.com/jtolds/gls v4.20.0+incompatible/go.mod h1:QJZ7F/aHp+rZTRtaJ1ow/lLfFfVYBRgL+9YlvaHOwJU= github.com/julienschmidt/httprouter v1.2.0/go.mod h1:SYymIcj16QtmaHHD7aYtjjsJG7VTCxuUUipMqKk8s4w= github.com/kisielk/gotool v1.0.0/go.mod h1:XhKaO+MFFWcvkIS/tQcRk01m1F5IRFswLeQ+oQHNcck= -github.com/klauspost/compress v1.17.11 h1:In6xLpyWOi1+C7tXUUWv2ot1QvBjxevKAaI6IXrJmUc= -github.com/klauspost/compress v1.17.11/go.mod h1:pMDklpSncoRMuLFrf1W9Ss9KT+0rH90U12bZKk7uwG0= github.com/klauspost/cpuid/v2 v2.0.4/go.mod h1:FInQzS24/EEf25PyTYn52gqo7WaD8xa0213Md/qVLRg= github.com/klauspost/cpuid/v2 v2.0.9/go.mod h1:FInQzS24/EEf25PyTYn52gqo7WaD8xa0213Md/qVLRg= github.com/klauspost/cpuid/v2 v2.2.8 h1:+StwCXwm9PdpiEkPyzBXIy+M9KUb4ODm0Zarf1kS5BM= @@ -194,12 +159,6 @@ github.com/kr/pty v1.1.1/go.mod h1:pFQYn66WHrOpPYNljwOMqo10TkYh1fy3cYio2l3bCsQ= github.com/kr/text v0.1.0/go.mod h1:4Jbv+DJW3UT/LiOwJeYQe1efqtUx/iVham/4vfdArNI= github.com/kr/text v0.2.0 h1:5Nx0Ya0ZqY2ygV366QzturHI13Jq95ApcVaJBhpS+AY= github.com/kr/text v0.2.0/go.mod h1:eLer722TekiGuMkidMxC/pM04lWEeraHUUmBw8l2grE= -github.com/mattn/go-colorable v0.1.13 h1:fFA4WZxdEF4tXPZVKMLwD8oUnCTTo08duU7wxecdEvA= -github.com/mattn/go-colorable v0.1.13/go.mod h1:7S9/ev0klgBDR4GtXTXX8a3vIGJpMovkB8vQcUbaXHg= -github.com/mattn/go-isatty v0.0.16/go.mod h1:kYGgaQfpe5nmfYZH+SKPsOc2e4SrIfOl2e/yFXSvRLM= -github.com/mattn/go-isatty v0.0.19/go.mod h1:W+V8PltTTMOvKvAeJH7IuucS94S2C6jfK/D7dTCTo3Y= -github.com/mattn/go-isatty v0.0.20 h1:xfD0iDuEKnDkl03q4limB+vH+GxLEtL/jb4xVJSWWEY= -github.com/mattn/go-isatty v0.0.20/go.mod h1:W+V8PltTTMOvKvAeJH7IuucS94S2C6jfK/D7dTCTo3Y= github.com/matttproud/golang_protobuf_extensions v1.0.1/go.mod h1:D8He9yQNgCq6Z5Ld7szi9bcBfOoFv/3dc6xSMkL2PC0= github.com/minio/sha256-simd v1.0.0 h1:v1ta+49hkWZyvaKwrQB8elexRqm6Y0aMLjCNsrYxo6g= github.com/minio/sha256-simd v1.0.0/go.mod h1:OuYzVNI5vcoYIAmbIvHPl3N3jUzVedXbKy5RFepssQM= @@ -228,7 +187,6 @@ github.com/philhofer/fwd v1.0.0/go.mod h1:gk3iGcWd9+svBvR0sR+KPcfE+RNWozjowpeBVG github.com/pierrec/lz4 v2.0.5+incompatible/go.mod h1:pdkljMzZIN41W+lC3N2tnIh5sFi+IEE17M5jbnwPHcY= github.com/pkg/errors v0.8.0/go.mod h1:bwawxfHBFNV+L2hUp1rHADufV3IMtnDRdf1r5NINEl0= github.com/pkg/errors v0.8.1/go.mod h1:bwawxfHBFNV+L2hUp1rHADufV3IMtnDRdf1r5NINEl0= -github.com/pkg/errors v0.9.1 h1:FEBLx1zS214owpjy7qsBeixbURkuhQAwrK5UwLGTwt4= github.com/pkg/errors v0.9.1/go.mod h1:bwawxfHBFNV+L2hUp1rHADufV3IMtnDRdf1r5NINEl0= github.com/pmezard/go-difflib v1.0.0/go.mod h1:iKH77koFhYxTK1pcRnkKkqfTogsbg7gZNVY4sRDYZ/4= github.com/pmezard/go-difflib v1.0.1-0.20181226105442-5d4384ee4fb2 h1:Jamvg5psRIccs7FGNTlIRMkT8wgtp5eCXdBlqhYGL6U= @@ -240,7 +198,6 @@ github.com/prometheus/client_golang v1.5.1/go.mod h1:e9GMxYsXl05ICDXkRhurwBS4Q3O github.com/prometheus/client_model v0.0.0-20180712105110-5c3871d89910/go.mod h1:MbSGuTsp3dbXC40dX6PRTWyKYBIrTGTE9sqQNg2J8bo= github.com/prometheus/client_model v0.0.0-20190115171406-56726106282f/go.mod h1:MbSGuTsp3dbXC40dX6PRTWyKYBIrTGTE9sqQNg2J8bo= github.com/prometheus/client_model v0.0.0-20190129233127-fd36f4220a90/go.mod h1:xMI15A0UPsDsEKsMN9yxemIoYk6Tm2C1GtYGdfGttqA= -github.com/prometheus/client_model v0.0.0-20190812154241-14fe0d1b01d4/go.mod h1:xMI15A0UPsDsEKsMN9yxemIoYk6Tm2C1GtYGdfGttqA= github.com/prometheus/client_model v0.2.0/go.mod h1:xMI15A0UPsDsEKsMN9yxemIoYk6Tm2C1GtYGdfGttqA= github.com/prometheus/common v0.2.0/go.mod h1:TNfzLD0ON7rHzMJeJkieUDPYmFC7Snx/y86RQel1bk4= github.com/prometheus/common v0.4.1/go.mod h1:TNfzLD0ON7rHzMJeJkieUDPYmFC7Snx/y86RQel1bk4= @@ -250,8 +207,6 @@ github.com/prometheus/procfs v0.0.0-20190117184657-bf6a532e95b1/go.mod h1:c3At6R github.com/prometheus/procfs v0.0.2/go.mod h1:TjEm7ze935MbeOT/UhFTIMYKhuLP4wbCsTZCD3I8kEA= github.com/prometheus/procfs v0.0.8/go.mod h1:7Qr8sr6344vo1JqZ6HhLceV9o3AJ1Ff+GxbHq6oeK9A= github.com/prometheus/procfs v0.0.11/go.mod h1:lV6e/gmhEcM9IjHGsFOCxxuZ+z1YqCvr4OA4YeYWdaU= -github.com/rasky/go-xdr v0.0.0-20170124162913-1a41d1a06c93 h1:UVArwN/wkKjMVhh2EQGC0tEc1+FqiLlvYXY5mQ2f8Wg= -github.com/rasky/go-xdr v0.0.0-20170124162913-1a41d1a06c93/go.mod h1:Nfe4efndBz4TibWycNE+lqyJZiMX4ycx+QKV8Ta0f/o= github.com/rcrowley/go-metrics v0.0.0-20181016184325-3113b8401b8a/go.mod h1:bCqnVzQkZxMG4s8nGwiZ5l3QUCyqpo9Y+/ZMZ9VjZe4= github.com/rogpeppe/go-internal v1.13.1 h1:KvO1DLK/DRN07sQ1LQKScxyZJuNnedQ5/wKSR38lUII= github.com/rogpeppe/go-internal v1.13.1/go.mod h1:uMEvuHeurkdAXX61udpOXGD/AzZDWNMNyH2VO9fmH0o= @@ -259,37 +214,21 @@ github.com/royalcat/btrgo v0.0.0-20240318160410-19bd27154450 h1:AZyZxXZLniAR0DaZ github.com/royalcat/btrgo v0.0.0-20240318160410-19bd27154450/go.mod h1:m3TPa9l/wMKpm/7WHrMs3dSFUxo7kLHaI8ap+SFGYhQ= github.com/royalcat/ctxio v0.0.0-20240602084623-009bd79b3176 h1:2jCQJow6jRvhpdMJCo1Okd7tq5Rg4YXlUxqT0q0NWAg= github.com/royalcat/ctxio v0.0.0-20240602084623-009bd79b3176/go.mod h1:81eB8eOH/UU7pzI7J1Rsg3KLpshF7BXg4+UHbex+27I= -github.com/rs/xid v1.5.0/go.mod h1:trrq9SKmegXys3aeAKXMUTdJsYXVwGY3RLcfgqegfbg= -github.com/rs/zerolog v1.32.0 h1:keLypqrlIjaFsbmJOBdB/qvyF8KEtCWHwobLp5l/mQ0= -github.com/rs/zerolog v1.32.0/go.mod h1:/7mN4D5sKwJLZQ2b/znpjC3/GQWY/xaDXUM0kKWRHss= github.com/ryszard/goskiplist v0.0.0-20150312221310-2dfbae5fcf46/go.mod h1:uAQ5PCi+MFsC7HjREoAz1BU+Mq60+05gifQSsHSDG/8= -github.com/samber/lo v1.47.0 h1:z7RynLwP5nbyRscyvcD043DWYoOcYRv3mV8lBeqOCLc= -github.com/samber/lo v1.47.0/go.mod h1:RmDH9Ct32Qy3gduHQuKJ3gW1fMHAnE/fAzQuf6He5cU= -github.com/samber/slog-multi v1.0.2 h1:6BVH9uHGAsiGkbbtQgAOQJMpKgV8unMrHhhJaw+X1EQ= -github.com/samber/slog-multi v1.0.2/go.mod h1:uLAvHpGqbYgX4FSL0p1ZwoLuveIAJvBECtE07XmYvFo= -github.com/samber/slog-zerolog v1.0.0 h1:YpRy0xux1uJr0Ng3wrEjv9nyvb4RAoNqkS611UjzeG8= -github.com/samber/slog-zerolog v1.0.0/go.mod h1:N2/g/mNGRY1zqsydIYE0uKipSSFsPDjytoVkRnZ0Jp0= github.com/sirupsen/logrus v1.2.0/go.mod h1:LxeOpSwHxABJmUn/MG1IvRgCAasNZTLOkJPxbbu5VWo= github.com/sirupsen/logrus v1.4.2/go.mod h1:tLMulIdttU9McNUspp0xgXVQah82FyeX6MwdIuYE2rE= github.com/smartystreets/assertions v0.0.0-20180927180507-b2de0cb4f26d/go.mod h1:OnSkiWE9lh6wB0YB77sQom3nweQdgAjqCqsofrRNTgc= github.com/smartystreets/assertions v0.0.0-20190215210624-980c5ac6f3ac/go.mod h1:OnSkiWE9lh6wB0YB77sQom3nweQdgAjqCqsofrRNTgc= github.com/smartystreets/goconvey v0.0.0-20181108003508-044398e4856c/go.mod h1:XDJAKZRPZ1CvBcN2aX5YOUTYGHki24fSF0Iv48Ibg0s= github.com/smartystreets/goconvey v0.0.0-20190306220146-200a235640ff/go.mod h1:KSQcGKpxUMHk3nbYzs/tIBAM2iDooCn0BmttHOJEbLs= -github.com/sourcegraph/conc v0.3.0 h1:OQTbbt6P72L20UqAkXXuLOj79LfEanQ+YQFNpLA9ySo= -github.com/sourcegraph/conc v0.3.0/go.mod h1:Sdozi7LEKbFPqYX2/J+iBAM6HpqSLTASQIKqDmF7Mt0= github.com/spaolacci/murmur3 v1.1.0 h1:7c1g84S4BPRrfL5Xrdp6fOJ206sU9y293DDHaoy0bLI= github.com/spaolacci/murmur3 v1.1.0/go.mod h1:JwIasOWyU6f++ZhiEuf87xNszmSA2myDM2Kzu9HwQUA= github.com/stretchr/objx v0.1.0/go.mod h1:HFkY916IF+rwdDfMAkV7OtwuqBVzrE8GR6GFx+wExME= github.com/stretchr/objx v0.1.1/go.mod h1:HFkY916IF+rwdDfMAkV7OtwuqBVzrE8GR6GFx+wExME= -github.com/stretchr/objx v0.4.0/go.mod h1:YvHI0jy2hoMjB+UWwv71VJQ9isScKT/TqJzVSSt89Yw= -github.com/stretchr/objx v0.5.0/go.mod h1:Yh+to48EsGEfYuaHDzXPcE3xhTkx73EhmCGUpEOglKo= github.com/stretchr/testify v1.2.1/go.mod h1:a8OnRcib4nhh0OaRAV+Yts87kKdq0PP7pXfy6kDkUVs= github.com/stretchr/testify v1.2.2/go.mod h1:a8OnRcib4nhh0OaRAV+Yts87kKdq0PP7pXfy6kDkUVs= github.com/stretchr/testify v1.3.0/go.mod h1:M5WIy9Dh21IEIfnGCwXGc5bZfKNJtfHm1UVUgZn+9EI= github.com/stretchr/testify v1.4.0/go.mod h1:j7eGeouHqKxXV5pUuKE4zz7dFj8WfuZ+81PSLYec5m4= -github.com/stretchr/testify v1.7.1/go.mod h1:6Fq8oRcR53rry900zMqJjRRixrwX3KX962/h/Wwjteg= -github.com/stretchr/testify v1.8.0/go.mod h1:yNjHg4UonilssWZ8iaSj1OCr/vHnekPRkoO+kdMU+MU= -github.com/stretchr/testify v1.8.1/go.mod h1:w2LPCIKwWwSfY2zedu0+kehJoqGctiVI29o6fzry7u4= github.com/stretchr/testify v1.10.0 h1:Xv5erBjTwe/5IxqUQTdXv5kgmIvbHo3QQyRwhJsOfJA= github.com/stretchr/testify v1.10.0/go.mod h1:r2ic/lqez/lEtzL7wO/rwa5dbSLXVDPFyf8C91i36aY= github.com/tinylib/msgp v1.0.2/go.mod h1:+d+yLhGm8mzTaHzB+wgMYrodPfmZrzkirds8fDWklFE= @@ -299,13 +238,9 @@ github.com/viccon/sturdyc v1.1.1 h1:ZrAdlQHDhkE2zwTLH/948vKCuaEOXGP3ezKDWh8xOHw= github.com/viccon/sturdyc v1.1.1/go.mod h1:OCBEgG/i48uugKQ498UQlfMHmf5j8MYY8a4BApfVnMo= github.com/willf/bitset v1.1.9/go.mod h1:RjeCKbqT1RxIR/KWY6phxZiaY1IyutSBfGjNPySAYV4= github.com/willf/bitset v1.1.10/go.mod h1:RjeCKbqT1RxIR/KWY6phxZiaY1IyutSBfGjNPySAYV4= -github.com/willscott/go-nfs-client v0.0.0-20240104095149-b44639837b00 h1:U0DnHRZFzoIV1oFEZczg5XyPut9yxk9jjtax/9Bxr/o= -github.com/willscott/go-nfs-client v0.0.0-20240104095149-b44639837b00/go.mod h1:Tq++Lr/FgiS3X48q5FETemXiSLGuYMQT2sPjYNPJSwA= go.opencensus.io v0.20.1/go.mod h1:6WKK9ahsWS3RSO+PY9ZHZUfv2irvY6gN279GOPZjmmk= go.opencensus.io v0.20.2/go.mod h1:6WKK9ahsWS3RSO+PY9ZHZUfv2irvY6gN279GOPZjmmk= go.opencensus.io v0.22.3/go.mod h1:yxeiOL68Rb0Xd1ddK5vPZ/oVn4vY4Ynel7k9FzqtOIw= -go.opencensus.io v0.24.0 h1:y73uSU6J157QMP2kn2r30vwW1A2W2WFwSCGnAVxeaD0= -go.opencensus.io v0.24.0/go.mod h1:vNK8G9p7aAivkbmorf4v+7Hgx+Zs0yY+0fOtgBfjQKo= go.opentelemetry.io/auto/sdk v1.1.0 h1:cH53jehLUN6UFLY71z+NDOiNJqDdPRaXzTel0sJySYA= go.opentelemetry.io/auto/sdk v1.1.0/go.mod h1:3wSPjt5PWp2RhlCcmmOial7AvC4DQqZb7a7wCow3W8A= go.opentelemetry.io/otel v1.34.0 h1:zRLXxLCgL1WyKsPVrgbSdMN4c0FMkDAskSTQP+0hdUY= @@ -314,12 +249,9 @@ go.opentelemetry.io/otel/metric v1.34.0 h1:+eTR3U0MyfWjRDhmFMxe2SsW64QrZ84AOhvqS go.opentelemetry.io/otel/metric v1.34.0/go.mod h1:CEDrp0fy2D0MvkXE+dPV7cMi8tWZwX3dmaIhwPOaqHE= go.opentelemetry.io/otel/trace v1.34.0 h1:+ouXS2V8Rd4hp4580a8q23bg0azF2nI8cqLYnC8mh/k= go.opentelemetry.io/otel/trace v1.34.0/go.mod h1:Svm7lSjQD7kG7KJ/MUHPVXSDGz2OX4h0M2jHBhmSfRE= -go.uber.org/multierr v1.10.0 h1:S0h4aNzvfcFsC3dRF1jLoaov7oRaKqRGC/pUEJ2yvPQ= golang.org/x/crypto v0.0.0-20180904163835-0709b304e793/go.mod h1:6SG95UA2DQfeDnfUPMdvaQW0Q7yPrPDi9nlGo2tz2b4= golang.org/x/crypto v0.0.0-20190308221718-c2843e01d9a2/go.mod h1:djNgcEr1/C05ACkg1iLfiJU5Ep61QUkGW8qpdssI0+w= -golang.org/x/crypto v0.0.0-20200622213623-75b288015ac9/go.mod h1:LzIPMQfyMNhhGPhUkYOs5KpL4U8rLKemX1yGLhDgUto= -golang.org/x/crypto v0.32.0 h1:euUpcYgM8WcP71gNpTqQCn6rC2t6ULUPiOzfWaXVVfc= -golang.org/x/crypto v0.32.0/go.mod h1:ZnnJkOaASj8g0AjIduWNlq2NRxL0PlBrbKVyZ6V/Ugc= +golang.org/x/crypto v0.36.0 h1:AnAEvhDddvBdpY+uR+MyHmuZzzNqXSe/GvuDeob5L34= golang.org/x/exp v0.0.0-20190121172915-509febef88a4/go.mod h1:CJ0aWSM057203Lf6IL+f9T1iT9GByDxfZKAQTCR3kQA= golang.org/x/exp v0.0.0-20250106191152-7588d65b2ba8 h1:yqrTHse8TCMW1M1ZCP+VAR/l0kKxwaAIqN/il7x4voA= golang.org/x/exp v0.0.0-20250106191152-7588d65b2ba8/go.mod h1:tujkw807nyEEAamNbDrEGzRav+ilXA7PCRAd6xsmwiU= @@ -335,19 +267,14 @@ golang.org/x/net v0.0.0-20190108225652-1e06a53dbb7e/go.mod h1:mL1N/T3taQHkDXs73r golang.org/x/net v0.0.0-20190125091013-d26f9f9a57f3/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= golang.org/x/net v0.0.0-20190213061140-3a22650c66bd/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= golang.org/x/net v0.0.0-20190311183353-d8887717615a/go.mod h1:t9HGtf8HONx5eT2rtn7q6eTqICYqUVnKs3thJo3Qplg= -golang.org/x/net v0.0.0-20190404232315-eb5bcb51f2a3/go.mod h1:t9HGtf8HONx5eT2rtn7q6eTqICYqUVnKs3thJo3Qplg= golang.org/x/net v0.0.0-20190613194153-d28f0bde5980/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= golang.org/x/net v0.0.0-20190620200207-3b0461eec859/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= -golang.org/x/net v0.0.0-20201110031124-69a78807bb2b/go.mod h1:sp8m0HH+o8qH0wwXwYZr8TS3Oi6o0r6Gce1SSxlDquU= -golang.org/x/net v0.34.0 h1:Mb7Mrk043xzHgnRM88suvJFwzVrRfHEHJEl5/71CKw0= -golang.org/x/net v0.34.0/go.mod h1:di0qlW3YNM5oh6GqDGQr92MyTozJPmybPK4Ev/Gm31k= golang.org/x/oauth2 v0.0.0-20180821212333-d2e6202438be/go.mod h1:N/0e6XlmueqKjAGxoOufVs8QHGRruUQn6yWY3a++T0U= golang.org/x/oauth2 v0.0.0-20190226205417-e64efc72b421/go.mod h1:gOpvHmFTYa4IltrdGE7lF6nIHvwfUNPOp7c8zoXwtLw= golang.org/x/sync v0.0.0-20180314180146-1d60e4601c6f/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= golang.org/x/sync v0.0.0-20181108010431-42b317875d0f/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= golang.org/x/sync v0.0.0-20181221193216-37e7f081c4d4/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= golang.org/x/sync v0.0.0-20190227155943-e225da77a7e6/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= -golang.org/x/sync v0.0.0-20190423024810-112230192c58/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= golang.org/x/sync v0.0.0-20190911185100-cd5d95a43a6e/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= golang.org/x/sys v0.0.0-20180830151530-49385e6e1522/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= golang.org/x/sys v0.0.0-20180905080454-ebe1bf3edb33/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= @@ -355,32 +282,21 @@ golang.org/x/sys v0.0.0-20180909124046-d0be0721c37e/go.mod h1:STP8DvDyc/dI5b8T5h golang.org/x/sys v0.0.0-20181116152217-5ac8a444bdc5/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= golang.org/x/sys v0.0.0-20181122145206-62eef0e2fa9b/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= golang.org/x/sys v0.0.0-20190215142949-d0b11bdaac8a/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= -golang.org/x/sys v0.0.0-20190412213103-97732733099d/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20190422165155-953cdadca894/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20190502145724-3ef323f4f1fd/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200106162015-b016eb3dc98e/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200122134326-e047566fdf82/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200413165638-669c56c373c4/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= -golang.org/x/sys v0.0.0-20200923182605-d9f96fdee20d/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= -golang.org/x/sys v0.0.0-20200930185726-fdedc70b468f/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= -golang.org/x/sys v0.0.0-20220811171246-fbc7d0a398ab/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg= golang.org/x/sys v0.5.0/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg= -golang.org/x/sys v0.6.0/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg= -golang.org/x/sys v0.12.0/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg= -golang.org/x/sys v0.29.0 h1:TPYlXGxvx1MGTn2GiZDhnjPA9wZzZeGKHHmKhHYvgaU= -golang.org/x/sys v0.29.0/go.mod h1:/VUhepiaJMQUp4+oa/7Zr1D23ma6VTLIYjOOTFZPUcA= +golang.org/x/sys v0.31.0 h1:ioabZlmFYtWhL+TRYpcnNlLwhyxaM9kWTDEmfnprqik= golang.org/x/text v0.3.0/go.mod h1:NqM8EUOU14njkJ3fqMW+pc6Ldnwhi/IjpwHt7yyuwOQ= golang.org/x/text v0.3.2/go.mod h1:bEr9sfX3Q8Zfm5fL9x+3itogRgK3+ptLWKqgva+5dAk= -golang.org/x/text v0.3.3/go.mod h1:5Zoc/QRtKVWzQhOtBMvqHzDpF6irO9z98xDceosuGiQ= -golang.org/x/text v0.21.0 h1:zyQAAkrwaneQ066sspRyJaG9VNi/YJ1NfzcGB3hZ/qo= -golang.org/x/text v0.21.0/go.mod h1:4IBbMaMmOPCJ8SecivzSH54+73PCFmPWxNTLm+vZkEQ= golang.org/x/tools v0.0.0-20180828015842-6cd1fcedba52/go.mod h1:n7NCudcB/nEzxVGmLbDWY5pfWTLqBcC2KZ6jyYvM4mQ= golang.org/x/tools v0.0.0-20180917221912-90fa682c2a6e/go.mod h1:n7NCudcB/nEzxVGmLbDWY5pfWTLqBcC2KZ6jyYvM4mQ= golang.org/x/tools v0.0.0-20190114222345-bf090417da8b/go.mod h1:n7NCudcB/nEzxVGmLbDWY5pfWTLqBcC2KZ6jyYvM4mQ= golang.org/x/tools v0.0.0-20190226205152-f727befe758c/go.mod h1:9Yl7xja0Znq3iFh3HoIrodX9oNMXvdceNzlUR8zjMvY= golang.org/x/tools v0.0.0-20190311212946-11955173bddd/go.mod h1:LCzVGOaR6xXOjkQ3onu1FJEFr0SW1gC7cKk1uF8kGRs= golang.org/x/tools v0.0.0-20190312170243-e65039ee4138/go.mod h1:LCzVGOaR6xXOjkQ3onu1FJEFr0SW1gC7cKk1uF8kGRs= -golang.org/x/tools v0.0.0-20190524140312-2c0ae7006135/go.mod h1:RgjU9mgBXZiqYHBnxXauZ1Gv1EHHAz9KjViQ78xBX0Q= golang.org/x/xerrors v0.0.0-20191204190536-9bdfabe68543/go.mod h1:I/5z698sn9Ka8TeJc9MKroUUfqBBauWjQqLJ2OPfmY0= google.golang.org/api v0.3.1/go.mod h1:6wY9I6uQWHQ8EM57III9mq/AjF+i8G65rmVagqKMtkk= google.golang.org/appengine v1.1.0/go.mod h1:EbEs0AVv82hx2wNQdGPgUI5lhzA/G0D9YwlJXL52JkM= @@ -388,26 +304,14 @@ google.golang.org/appengine v1.4.0/go.mod h1:xpcJRLb0r/rnEns0DIKYYv+WjYCduHsrkT7 google.golang.org/genproto v0.0.0-20180817151627-c66870c02cf8/go.mod h1:JiN7NxoALGmiZfu7CAH4rXhgtRTLTxftemlI0sWmxmc= google.golang.org/genproto v0.0.0-20190307195333-5fe7a883aa19/go.mod h1:VzzqZJRnGkLBvHegQrXjBqPurQTc5/KpmUdxsrq26oE= google.golang.org/genproto v0.0.0-20190425155659-357c62f0e4bb/go.mod h1:VzzqZJRnGkLBvHegQrXjBqPurQTc5/KpmUdxsrq26oE= -google.golang.org/genproto v0.0.0-20190819201941-24fa4b261c55/go.mod h1:DMBHOl98Agz4BDEuKkezgsaosCRResVns1a3J2ZsMNc= -google.golang.org/genproto v0.0.0-20200526211855-cb27e3aa2013/go.mod h1:NbSheEEYHJ7i3ixzK3sjbqSGDJWnxyFXZblF3eUsNvo= google.golang.org/grpc v1.17.0/go.mod h1:6QZJwpn2B+Zp71q/5VxRsJ6NXXVCE5NRUHRo+f3cWCs= google.golang.org/grpc v1.19.0/go.mod h1:mqu4LbDTu4XGKhr4mRzUsmM4RtVoemTSY81AxZiDr8c= google.golang.org/grpc v1.20.1/go.mod h1:10oTOabMzJvdu6/UiuZezV6QK5dSlG84ov/aaiqXj38= -google.golang.org/grpc v1.23.0/go.mod h1:Y5yQAOtifL1yxbo5wqy6BxZv8vAUGQwXBOALyacEbxg= -google.golang.org/grpc v1.25.1/go.mod h1:c3i+UQWmh7LiEpx4sFZnkU36qjEYZ0imhYfXVyQciAY= -google.golang.org/grpc v1.27.0/go.mod h1:qbnxyOmOxrQa7FizSgH+ReBfzJrCY1pSN7KXBS8abTk= -google.golang.org/grpc v1.33.2/go.mod h1:JMHMWHQWaTccqQQlmk3MJZS+GWXOdAesneDmEnv2fbc= google.golang.org/protobuf v0.0.0-20200109180630-ec00e32a8dfd/go.mod h1:DFci5gLYBciE7Vtevhsrf46CRTquxDuWsQurQQe4oz8= google.golang.org/protobuf v0.0.0-20200221191635-4d8936d0db64/go.mod h1:kwYJMbMJ01Woi6D6+Kah6886xMZcty6N08ah7+eCXa0= google.golang.org/protobuf v0.0.0-20200228230310-ab0ca4ff8a60/go.mod h1:cfTl7dwQJ+fmap5saPgwCLgHXTUD7jkjRqWcaiX5VyM= google.golang.org/protobuf v1.20.1-0.20200309200217-e05f789c0967/go.mod h1:A+miEFZTKqfCUM6K7xSMQL9OKL/b6hQv+e19PK+JZNE= google.golang.org/protobuf v1.21.0/go.mod h1:47Nbq4nVaFHyn7ilMalzfO3qCViNmqZ2kzikPIcrTAo= -google.golang.org/protobuf v1.22.0/go.mod h1:EGpADcykh3NcUnDUJcl1+ZksZNG86OlYog2l/sGQquU= -google.golang.org/protobuf v1.23.0/go.mod h1:EGpADcykh3NcUnDUJcl1+ZksZNG86OlYog2l/sGQquU= -google.golang.org/protobuf v1.23.1-0.20200526195155-81db48ad09cc/go.mod h1:EGpADcykh3NcUnDUJcl1+ZksZNG86OlYog2l/sGQquU= -google.golang.org/protobuf v1.25.0/go.mod h1:9JNX74DMeImyA3h4bdi1ymwjUzf21/xIlbajtzgsN7c= -google.golang.org/protobuf v1.35.1 h1:m3LfL6/Ca+fqnjnlqQXNpFPABW1UD7mjh8KO2mKFytA= -google.golang.org/protobuf v1.35.1/go.mod h1:9fA7Ob0pmnwhb644+1+CVWFRbNajQ6iRojtC/QF5bRE= gopkg.in/alecthomas/kingpin.v2 v2.2.6/go.mod h1:FMv+mEhP44yOT+4EoQTLFTRgOQ1FBLkstjWtayDeSgw= gopkg.in/check.v1 v0.0.0-20161208181325-20d25e280405/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0= gopkg.in/check.v1 v1.0.0-20180628173108-788fd7840127/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0= @@ -420,11 +324,9 @@ gopkg.in/yaml.v2 v2.2.1/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI= gopkg.in/yaml.v2 v2.2.2/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI= gopkg.in/yaml.v2 v2.2.4/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI= gopkg.in/yaml.v2 v2.2.5/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI= -gopkg.in/yaml.v3 v3.0.0-20200313102051-9f266ea9e77c/go.mod h1:K4uyk7z7BCEPqu6E+C64Yfv1cQ7kz7rIZviUmN+EgEM= gopkg.in/yaml.v3 v3.0.1 h1:fxVm/GzAzEWqLHuvctI91KS9hhNmmWOoWu0XTYJS7CA= gopkg.in/yaml.v3 v3.0.1/go.mod h1:K4uyk7z7BCEPqu6E+C64Yfv1cQ7kz7rIZviUmN+EgEM= honnef.co/go/tools v0.0.0-20180728063816-88497007e858/go.mod h1:rf3lG4BRIbNafJWhAfAdb/ePZxsR/4RtNHQocxwk9r4= honnef.co/go/tools v0.0.0-20190102054323-c2f93a96b099/go.mod h1:rf3lG4BRIbNafJWhAfAdb/ePZxsR/4RtNHQocxwk9r4= -honnef.co/go/tools v0.0.0-20190523083050-ea95bdfd59fc/go.mod h1:rf3lG4BRIbNafJWhAfAdb/ePZxsR/4RtNHQocxwk9r4= lukechampine.com/blake3 v1.1.6 h1:H3cROdztr7RCfoaTpGZFQsrqvweFLrqS73j7L7cmR5c= lukechampine.com/blake3 v1.1.6/go.mod h1:tkKEOtDkNtklkXtLNEOGNq5tcV90tJiA1vAA12R78LA= diff --git a/daemons/qbittorrent/install.go b/plugins/qbittorrent/install.go similarity index 100% rename from daemons/qbittorrent/install.go rename to plugins/qbittorrent/install.go diff --git a/daemons/qbittorrent/install_test.go b/plugins/qbittorrent/install_test.go similarity index 100% rename from daemons/qbittorrent/install_test.go rename to plugins/qbittorrent/install_test.go diff --git a/pkg/qbittorrent/application.go b/plugins/qbittorrent/pkg/qbittorrent/application.go similarity index 100% rename from pkg/qbittorrent/application.go rename to plugins/qbittorrent/pkg/qbittorrent/application.go diff --git a/pkg/qbittorrent/application_test.go b/plugins/qbittorrent/pkg/qbittorrent/application_test.go similarity index 100% rename from pkg/qbittorrent/application_test.go rename to plugins/qbittorrent/pkg/qbittorrent/application_test.go diff --git a/pkg/qbittorrent/authentication.go b/plugins/qbittorrent/pkg/qbittorrent/authentication.go similarity index 100% rename from pkg/qbittorrent/authentication.go rename to plugins/qbittorrent/pkg/qbittorrent/authentication.go diff --git a/pkg/qbittorrent/authentication_test.go b/plugins/qbittorrent/pkg/qbittorrent/authentication_test.go similarity index 100% rename from pkg/qbittorrent/authentication_test.go rename to plugins/qbittorrent/pkg/qbittorrent/authentication_test.go diff --git a/pkg/qbittorrent/client.go b/plugins/qbittorrent/pkg/qbittorrent/client.go similarity index 95% rename from pkg/qbittorrent/client.go rename to plugins/qbittorrent/pkg/qbittorrent/client.go index fb259d6..83d517c 100644 --- a/pkg/qbittorrent/client.go +++ b/plugins/qbittorrent/pkg/qbittorrent/client.go @@ -10,7 +10,7 @@ import ( "go.opentelemetry.io/otel" ) -var trace = otel.Tracer("git.kmsign.ru/royalcat/tstor/pkg/qbittorrent") +var trace = otel.Tracer("git.kmsign.ru/royalcat/tstor/server/pkg/qbittorrent") // Client represents a qBittorrent client type Client interface { diff --git a/pkg/qbittorrent/client_impl.go b/plugins/qbittorrent/pkg/qbittorrent/client_impl.go similarity index 100% rename from pkg/qbittorrent/client_impl.go rename to plugins/qbittorrent/pkg/qbittorrent/client_impl.go diff --git a/pkg/qbittorrent/client_test.go b/plugins/qbittorrent/pkg/qbittorrent/client_test.go similarity index 100% rename from pkg/qbittorrent/client_test.go rename to plugins/qbittorrent/pkg/qbittorrent/client_test.go diff --git a/pkg/qbittorrent/common.go b/plugins/qbittorrent/pkg/qbittorrent/common.go similarity index 100% rename from pkg/qbittorrent/common.go rename to plugins/qbittorrent/pkg/qbittorrent/common.go diff --git a/pkg/qbittorrent/config.go b/plugins/qbittorrent/pkg/qbittorrent/config.go similarity index 100% rename from pkg/qbittorrent/config.go rename to plugins/qbittorrent/pkg/qbittorrent/config.go diff --git a/pkg/qbittorrent/error_code.go b/plugins/qbittorrent/pkg/qbittorrent/error_code.go similarity index 100% rename from pkg/qbittorrent/error_code.go rename to plugins/qbittorrent/pkg/qbittorrent/error_code.go diff --git a/pkg/qbittorrent/log.go b/plugins/qbittorrent/pkg/qbittorrent/log.go similarity index 100% rename from pkg/qbittorrent/log.go rename to plugins/qbittorrent/pkg/qbittorrent/log.go diff --git a/pkg/qbittorrent/log_test.go b/plugins/qbittorrent/pkg/qbittorrent/log_test.go similarity index 100% rename from pkg/qbittorrent/log_test.go rename to plugins/qbittorrent/pkg/qbittorrent/log_test.go diff --git a/pkg/qbittorrent/rss.go b/plugins/qbittorrent/pkg/qbittorrent/rss.go similarity index 100% rename from pkg/qbittorrent/rss.go rename to plugins/qbittorrent/pkg/qbittorrent/rss.go diff --git a/pkg/qbittorrent/search.go b/plugins/qbittorrent/pkg/qbittorrent/search.go similarity index 100% rename from pkg/qbittorrent/search.go rename to plugins/qbittorrent/pkg/qbittorrent/search.go diff --git a/pkg/qbittorrent/sync.go b/plugins/qbittorrent/pkg/qbittorrent/sync.go similarity index 100% rename from pkg/qbittorrent/sync.go rename to plugins/qbittorrent/pkg/qbittorrent/sync.go diff --git a/pkg/qbittorrent/sync_test.go b/plugins/qbittorrent/pkg/qbittorrent/sync_test.go similarity index 100% rename from pkg/qbittorrent/sync_test.go rename to plugins/qbittorrent/pkg/qbittorrent/sync_test.go diff --git a/pkg/qbittorrent/torrent.go b/plugins/qbittorrent/pkg/qbittorrent/torrent.go similarity index 100% rename from pkg/qbittorrent/torrent.go rename to plugins/qbittorrent/pkg/qbittorrent/torrent.go diff --git a/pkg/qbittorrent/torrent_test.go b/plugins/qbittorrent/pkg/qbittorrent/torrent_test.go similarity index 100% rename from pkg/qbittorrent/torrent_test.go rename to plugins/qbittorrent/pkg/qbittorrent/torrent_test.go diff --git a/pkg/qbittorrent/transfer.go b/plugins/qbittorrent/pkg/qbittorrent/transfer.go similarity index 100% rename from pkg/qbittorrent/transfer.go rename to plugins/qbittorrent/pkg/qbittorrent/transfer.go diff --git a/plugins/qbittorrent/plugin/main.go b/plugins/qbittorrent/plugin/main.go new file mode 100644 index 0000000..bd7f383 --- /dev/null +++ b/plugins/qbittorrent/plugin/main.go @@ -0,0 +1,13 @@ +package main + +import ( + "git.kmsign.ru/royalcat/tstor/plugins/qbittorrent" + "git.kmsign.ru/royalcat/tstor/server/src/daemon" +) + +func main() { +} + +var DaemonName = qbittorrent.DaemonName + +var NewDaemon daemon.DaemonConstructor = qbittorrent.NewDaemon diff --git a/plugins/rclone/go.mod b/plugins/rclone/go.mod new file mode 100644 index 0000000..d148d95 --- /dev/null +++ b/plugins/rclone/go.mod @@ -0,0 +1,13 @@ +module git.kmsign.ru/royalcat/tstor/plugins/rclone + +go 1.23.5 + +require github.com/rclone/rclone v1.68.1 + +require ( + github.com/jzelinskie/whirlpool v0.0.0-20201016144138-0675e54bb004 // indirect + github.com/sirupsen/logrus v1.9.3 // indirect + github.com/stretchr/testify v1.10.0 // indirect + golang.org/x/sys v0.31.0 // indirect + golang.org/x/time v0.6.0 // indirect +) diff --git a/plugins/rclone/go.sum b/plugins/rclone/go.sum new file mode 100644 index 0000000..e64c0cf --- /dev/null +++ b/plugins/rclone/go.sum @@ -0,0 +1,27 @@ +github.com/davecgh/go-spew v1.1.0/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38= +github.com/davecgh/go-spew v1.1.1/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38= +github.com/davecgh/go-spew v1.1.2-0.20180830191138-d8f796af33cc h1:U9qPSI2PIWSS1VwoXQT9A3Wy9MM3WgvqSxFWenqJduM= +github.com/davecgh/go-spew v1.1.2-0.20180830191138-d8f796af33cc/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38= +github.com/jzelinskie/whirlpool v0.0.0-20201016144138-0675e54bb004 h1:G+9t9cEtnC9jFiTxyptEKuNIAbiN5ZCQzX2a74lj3xg= +github.com/jzelinskie/whirlpool v0.0.0-20201016144138-0675e54bb004/go.mod h1:KmHnJWQrgEvbuy0vcvj00gtMqbvNn1L+3YUZLK/B92c= +github.com/pmezard/go-difflib v1.0.0/go.mod h1:iKH77koFhYxTK1pcRnkKkqfTogsbg7gZNVY4sRDYZ/4= +github.com/pmezard/go-difflib v1.0.1-0.20181226105442-5d4384ee4fb2 h1:Jamvg5psRIccs7FGNTlIRMkT8wgtp5eCXdBlqhYGL6U= +github.com/pmezard/go-difflib v1.0.1-0.20181226105442-5d4384ee4fb2/go.mod h1:iKH77koFhYxTK1pcRnkKkqfTogsbg7gZNVY4sRDYZ/4= +github.com/rclone/rclone v1.68.1 h1:vlEOAuPv4gGxWECM0NIaCwBNUt3ZQY7mCsyBtZjY+68= +github.com/rclone/rclone v1.68.1/go.mod h1:T8XKOt/2Fb9INROUtFH9eF9q9o9rI1W2qTrW2bw2cYU= +github.com/sirupsen/logrus v1.9.3 h1:dueUQJ1C2q9oE3F7wvmSGAaVtTmUizReu6fjN8uqzbQ= +github.com/sirupsen/logrus v1.9.3/go.mod h1:naHLuLoDiP4jHNo9R0sCBMtWGeIprob74mVsIT4qYEQ= +github.com/spf13/pflag v1.0.5 h1:iy+VFUOCP1a+8yFto/drg2CJ5u0yRoB7fZw3DKv/JXA= +github.com/spf13/pflag v1.0.5/go.mod h1:McXfInJRrz4CZXVZOBLb0bTZqETkiAhM9Iw0y3An2Bg= +github.com/stretchr/objx v0.1.0/go.mod h1:HFkY916IF+rwdDfMAkV7OtwuqBVzrE8GR6GFx+wExME= +github.com/stretchr/testify v1.7.0/go.mod h1:6Fq8oRcR53rry900zMqJjRRixrwX3KX962/h/Wwjteg= +github.com/stretchr/testify v1.10.0 h1:Xv5erBjTwe/5IxqUQTdXv5kgmIvbHo3QQyRwhJsOfJA= +github.com/stretchr/testify v1.10.0/go.mod h1:r2ic/lqez/lEtzL7wO/rwa5dbSLXVDPFyf8C91i36aY= +golang.org/x/sys v0.0.0-20220715151400-c0bba94af5f8/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg= +golang.org/x/sys v0.31.0 h1:ioabZlmFYtWhL+TRYpcnNlLwhyxaM9kWTDEmfnprqik= +golang.org/x/time v0.6.0 h1:eTDhh4ZXt5Qf0augr54TN6suAUudPcawVZeIAPU7D4U= +golang.org/x/time v0.6.0/go.mod h1:3BpzKBy/shNhVucY/MWOyx10tF3SFh9QdLuxbVysPQM= +gopkg.in/check.v1 v0.0.0-20161208181325-20d25e280405/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0= +gopkg.in/yaml.v3 v3.0.0-20200313102051-9f266ea9e77c/go.mod h1:K4uyk7z7BCEPqu6E+C64Yfv1cQ7kz7rIZviUmN+EgEM= +gopkg.in/yaml.v3 v3.0.1 h1:fxVm/GzAzEWqLHuvctI91KS9hhNmmWOoWu0XTYJS7CA= +gopkg.in/yaml.v3 v3.0.1/go.mod h1:K4uyk7z7BCEPqu6E+C64Yfv1cQ7kz7rIZviUmN+EgEM= diff --git a/daemons/rclone/rclone.go b/plugins/rclone/rclone.go similarity index 98% rename from daemons/rclone/rclone.go rename to plugins/rclone/rclone.go index 3fbcd72..db98b69 100644 --- a/daemons/rclone/rclone.go +++ b/plugins/rclone/rclone.go @@ -5,7 +5,7 @@ import ( "io/fs" "time" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" rclonefs "github.com/rclone/rclone/fs" ) diff --git a/daemons/ytdlp/controller.go b/plugins/ytdlp/controller.go similarity index 90% rename from daemons/ytdlp/controller.go rename to plugins/ytdlp/controller.go index 0462e4f..04cabae 100644 --- a/daemons/ytdlp/controller.go +++ b/plugins/ytdlp/controller.go @@ -4,11 +4,11 @@ import ( "context" "os" - "git.kmsign.ru/royalcat/tstor/pkg/ctxbilly" - "git.kmsign.ru/royalcat/tstor/pkg/kvsingle" - "git.kmsign.ru/royalcat/tstor/pkg/rlog" - "git.kmsign.ru/royalcat/tstor/pkg/ytdlp" - "git.kmsign.ru/royalcat/tstor/src/tasks" + "git.kmsign.ru/royalcat/tstor/server/pkg/ctxbilly" + "git.kmsign.ru/royalcat/tstor/server/pkg/kvsingle" + "git.kmsign.ru/royalcat/tstor/server/pkg/rlog" + "git.kmsign.ru/royalcat/tstor/server/pkg/ytdlp" + "git.kmsign.ru/royalcat/tstor/server/src/tasks" "github.com/royalcat/ctxio" "github.com/royalcat/ctxprogress" "github.com/royalcat/kv" diff --git a/daemons/ytdlp/daemon.go b/plugins/ytdlp/daemon.go similarity index 89% rename from daemons/ytdlp/daemon.go rename to plugins/ytdlp/daemon.go index 49d1e71..c61c564 100644 --- a/daemons/ytdlp/daemon.go +++ b/plugins/ytdlp/daemon.go @@ -7,9 +7,9 @@ import ( "path" "sync" - "git.kmsign.ru/royalcat/tstor/pkg/ctxbilly" - "git.kmsign.ru/royalcat/tstor/pkg/ytdlp" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/pkg/ctxbilly" + "git.kmsign.ru/royalcat/tstor/server/pkg/ytdlp" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" "github.com/go-git/go-billy/v5/osfs" "github.com/royalcat/ctxio" ) diff --git a/daemons/ytdlp/fs.go b/plugins/ytdlp/fs.go similarity index 94% rename from daemons/ytdlp/fs.go rename to plugins/ytdlp/fs.go index ac91ebf..f46813a 100644 --- a/daemons/ytdlp/fs.go +++ b/plugins/ytdlp/fs.go @@ -6,8 +6,8 @@ import ( "os" "time" - "git.kmsign.ru/royalcat/tstor/pkg/ctxbilly" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/pkg/ctxbilly" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" ) type SourceFS struct { diff --git a/daemons/ytdlp/tasks.go b/plugins/ytdlp/tasks.go similarity index 93% rename from daemons/ytdlp/tasks.go rename to plugins/ytdlp/tasks.go index 3e77601..910cf88 100644 --- a/daemons/ytdlp/tasks.go +++ b/plugins/ytdlp/tasks.go @@ -4,7 +4,7 @@ import ( "context" "fmt" - "git.kmsign.ru/royalcat/tstor/src/tasks" + "git.kmsign.ru/royalcat/tstor/server/src/tasks" ) const executorName = "ytdlp" diff --git a/daemons/ytdlp/ytdlp.go b/plugins/ytdlp/ytdlp.go similarity index 100% rename from daemons/ytdlp/ytdlp.go rename to plugins/ytdlp/ytdlp.go diff --git a/cmd/generate-graphql-schema/main.go b/server/cmd/generate-graphql-schema/main.go similarity index 87% rename from cmd/generate-graphql-schema/main.go rename to server/cmd/generate-graphql-schema/main.go index 5abdf1c..ca6a17e 100644 --- a/cmd/generate-graphql-schema/main.go +++ b/server/cmd/generate-graphql-schema/main.go @@ -5,7 +5,7 @@ import ( "log" "os" - graph "git.kmsign.ru/royalcat/tstor/src/delivery/graphql" + graph "git.kmsign.ru/royalcat/tstor/server/src/delivery/graphql" "github.com/vektah/gqlparser/v2/formatter" ) diff --git a/cmd/generate-graphql/main.go b/server/cmd/generate-graphql/main.go similarity index 100% rename from cmd/generate-graphql/main.go rename to server/cmd/generate-graphql/main.go diff --git a/go.mod b/server/go.mod similarity index 77% rename from go.mod rename to server/go.mod index 30dffbc..32402a0 100644 --- a/go.mod +++ b/server/go.mod @@ -1,30 +1,28 @@ -module git.kmsign.ru/royalcat/tstor +module git.kmsign.ru/royalcat/tstor/server -go 1.23.5 +go 1.23.0 -replace github.com/iceber/iouring-go => github.com/royalcat/iouring-go v0.0.0-20240925200811-286062ac1b23 +toolchain go1.24.1 -replace github.com/chenzhuoyu/iasm v0.9.0 => github.com/cloudwego/iasm v0.2.0 +// replace github.com/iceber/iouring-go => github.com/royalcat/iouring-go v0.0.0-20240925200811-286062ac1b23 + +// replace github.com/chenzhuoyu/iasm v0.9.0 => github.com/cloudwego/iasm v0.2.0 require ( - github.com/99designs/gqlgen v0.17.55 + github.com/99designs/gqlgen v0.17.68 github.com/agoda-com/opentelemetry-go/otelslog v0.2.0 github.com/agoda-com/opentelemetry-logs-go v0.5.1 github.com/billziss-gh/cgofuse v1.5.0 - github.com/bodgit/sevenzip v1.5.1 github.com/cespare/xxhash/v2 v2.3.0 github.com/dgraph-io/badger/v4 v4.5.0 github.com/go-chi/stampede v0.6.0 github.com/go-git/go-billy/v5 v5.6.1 github.com/gofrs/uuid/v5 v5.1.0 github.com/google/uuid v1.6.0 - github.com/gorilla/schema v1.4.1 github.com/goware/singleflight v0.2.0 github.com/grafana/otel-profiling-go v0.5.1 github.com/grafana/pyroscope-go v1.1.2 - github.com/hashicorp/golang-lru/arc/v2 v2.0.7 github.com/hashicorp/golang-lru/v2 v2.0.7 - github.com/iceber/iouring-go v0.0.0-20230403020409-002cfd2e2a90 github.com/knadh/koanf/parsers/yaml v0.1.0 github.com/knadh/koanf/providers/env v0.1.0 github.com/knadh/koanf/providers/file v0.1.0 @@ -32,7 +30,6 @@ require ( github.com/knadh/koanf/v2 v2.1.2 github.com/labstack/echo-contrib v0.17.1 github.com/labstack/echo/v4 v4.12.0 - github.com/nwaples/rardecode/v2 v2.0.0-beta.2 github.com/prometheus/client_golang v1.20.4 github.com/rasky/go-xdr v0.0.0-20170124162913-1a41d1a06c93 github.com/ravilushqa/otelgqlgen v0.15.0 @@ -46,8 +43,8 @@ require ( github.com/samber/slog-zerolog v1.0.0 github.com/sourcegraph/conc v0.3.0 github.com/stretchr/testify v1.10.0 - github.com/urfave/cli/v2 v2.27.4 - github.com/vektah/gqlparser/v2 v2.5.17 + github.com/urfave/cli/v2 v2.27.6 + github.com/vektah/gqlparser/v2 v2.5.23 github.com/willscott/go-nfs-client v0.0.0-20240104095149-b44639837b00 github.com/willscott/memphis v0.0.0-20210922141505-529d4987ab7e go.opentelemetry.io/otel v1.34.0 @@ -59,19 +56,16 @@ require ( go.opentelemetry.io/otel/sdk/metric v1.31.0 go.opentelemetry.io/otel/trace v1.34.0 golang.org/x/exp v0.0.0-20250106191152-7588d65b2ba8 - golang.org/x/net v0.34.0 - golang.org/x/sync v0.10.0 - golang.org/x/sys v0.29.0 + golang.org/x/net v0.37.0 + golang.org/x/sync v0.12.0 + golang.org/x/sys v0.31.0 ) require ( - github.com/agnivade/levenshtein v1.1.1 // indirect - github.com/andybalholm/brotli v1.1.0 // indirect + github.com/agnivade/levenshtein v1.2.1 // indirect github.com/beorn7/perks v1.0.1 // indirect - github.com/bodgit/plumbing v1.3.0 // indirect - github.com/bodgit/windows v1.0.1 // indirect github.com/cenkalti/backoff/v4 v4.3.0 // indirect - github.com/cpuguy83/go-md2man/v2 v2.0.4 // indirect + github.com/cpuguy83/go-md2man/v2 v2.0.5 // indirect github.com/cyphar/filepath-securejoin v0.3.6 // indirect github.com/davecgh/go-spew v1.1.2-0.20180830191138-d8f796af33cc // indirect github.com/dgraph-io/ristretto/v2 v2.0.0 // indirect @@ -88,18 +82,14 @@ require ( github.com/gorilla/websocket v1.5.1 // indirect github.com/grafana/pyroscope-go/godeltaprof v0.1.8 // indirect github.com/grpc-ecosystem/grpc-gateway/v2 v2.22.0 // indirect - github.com/hashicorp/errwrap v1.1.0 // indirect - github.com/hashicorp/go-multierror v1.1.1 // indirect github.com/klauspost/compress v1.17.11 // indirect github.com/knadh/koanf/maps v0.1.1 // indirect github.com/labstack/gommon v0.4.2 // indirect - github.com/mattn/go-colorable v0.1.13 // indirect + github.com/mattn/go-colorable v0.1.14 // indirect github.com/mattn/go-isatty v0.0.20 // indirect github.com/mitchellh/copystructure v1.2.0 // indirect - github.com/mitchellh/mapstructure v1.5.0 // indirect github.com/mitchellh/reflectwalk v1.0.2 // indirect github.com/munnerz/goautoneg v0.0.0-20191010083416-a7dc8b61c822 // indirect - github.com/pierrec/lz4/v4 v4.1.21 // indirect github.com/pkg/errors v0.9.1 // indirect github.com/pmezard/go-difflib v1.0.1-0.20181226105442-5d4384ee4fb2 // indirect github.com/polydawn/go-timeless-api v0.0.0-20220821201550-b93919e12c56 // indirect @@ -111,7 +101,6 @@ require ( github.com/russross/blackfriday/v2 v2.1.0 // indirect github.com/samber/lo v1.47.0 // indirect github.com/sosodev/duration v1.3.1 // indirect - github.com/ulikunitz/xz v0.5.12 // indirect github.com/valyala/bytebufferpool v1.0.0 // indirect github.com/valyala/fasttemplate v1.2.2 // indirect github.com/warpfork/go-errcat v0.0.0-20180917083543-335044ffc86e // indirect @@ -122,15 +111,14 @@ require ( go.opentelemetry.io/otel/exporters/otlp/otlptrace v1.31.0 // indirect go.opentelemetry.io/proto/otlp v1.3.1 // indirect go.uber.org/multierr v1.10.0 // indirect - go4.org v0.0.0-20230225012048-214862532bf5 // indirect - golang.org/x/crypto v0.32.0 // indirect - golang.org/x/mod v0.22.0 // indirect - golang.org/x/text v0.21.0 // indirect + golang.org/x/crypto v0.36.0 // indirect + golang.org/x/mod v0.24.0 // indirect + golang.org/x/text v0.23.0 // indirect golang.org/x/time v0.6.0 // indirect - golang.org/x/tools v0.29.0 // indirect + golang.org/x/tools v0.31.0 // indirect google.golang.org/genproto/googleapis/api v0.0.0-20241104194629-dd2ea8efbc28 // indirect google.golang.org/genproto/googleapis/rpc v0.0.0-20241104194629-dd2ea8efbc28 // indirect google.golang.org/grpc v1.67.1 // indirect - google.golang.org/protobuf v1.35.1 // indirect + google.golang.org/protobuf v1.36.5 // indirect gopkg.in/yaml.v3 v3.0.1 // indirect ) diff --git a/go.sum b/server/go.sum similarity index 59% rename from go.sum rename to server/go.sum index 616cd03..a7e4658 100644 --- a/go.sum +++ b/server/go.sum @@ -1,60 +1,32 @@ cloud.google.com/go v0.26.0/go.mod h1:aQUYkXzVsufM+DwF1aE+0xfcU+56JwCaLick0ClmMTw= -cloud.google.com/go v0.34.0/go.mod h1:aQUYkXzVsufM+DwF1aE+0xfcU+56JwCaLick0ClmMTw= -cloud.google.com/go v0.38.0/go.mod h1:990N+gfupTy94rShfmMCWGDn0LpTmnzTp2qbd1dvSRU= -cloud.google.com/go v0.44.1/go.mod h1:iSa0KzasP4Uvy3f1mN/7PiObzGgflwredwwASm/v6AU= -cloud.google.com/go v0.44.2/go.mod h1:60680Gw3Yr4ikxnPRS/oxxkBccT6SA1yMk63TGekxKY= -cloud.google.com/go v0.45.1/go.mod h1:RpBamKRgapWJb87xiFSdk4g1CME7QZg3uwTez+TSTjc= -cloud.google.com/go v0.46.3/go.mod h1:a6bKKbmY7er1mI7TEI4lsAkts/mkhTSZK8w33B4RAg0= -cloud.google.com/go v0.50.0/go.mod h1:r9sluTvynVuxRIOHXQEHMFffphuXHOMZMycpNR5e6To= -cloud.google.com/go v0.53.0/go.mod h1:fp/UouUEsRkN6ryDKNW/Upv/JBKnv6WDthjR6+vze6M= -cloud.google.com/go/bigquery v1.0.1/go.mod h1:i/xbL2UlR5RvWAURpBYZTtm/cXjCha9lbfbpx4poX+o= -cloud.google.com/go/bigquery v1.3.0/go.mod h1:PjpwJnslEMmckchkHFfq+HTD2DmtT67aNFKH1/VBDHE= -cloud.google.com/go/datastore v1.0.0/go.mod h1:LXYbyblFSglQ5pkeyhO+Qmw7ukd3C+pD7TKLgZqpHYE= -cloud.google.com/go/pubsub v1.0.1/go.mod h1:R0Gpsv3s54REJCy4fxDixWD93lHJMoZTyQ2kNxGRt3I= -cloud.google.com/go/pubsub v1.1.0/go.mod h1:EwwdRX2sKPjnvnqCa270oGRyludottCI76h+R3AArQw= -cloud.google.com/go/storage v1.0.0/go.mod h1:IhtSnM/ZTZV8YYJWCY8RULGVqBDmpoyjwiyrjsg+URw= -cloud.google.com/go/storage v1.5.0/go.mod h1:tpKbwo567HUNpVclU5sGELwQWBDZ8gh0ZeosJ0Rtdos= -dmitri.shuralyov.com/gpu/mtl v0.0.0-20190408044501-666a987793e9/go.mod h1:H6x//7gZCb22OMCxBHrMx7a5I7Hp++hsVxbQ4BYO7hU= -github.com/99designs/gqlgen v0.17.55 h1:3vzrNWYyzSZjGDFo68e5j9sSauLxfKvLp+6ioRokVtM= -github.com/99designs/gqlgen v0.17.55/go.mod h1:3Bq768f8hgVPGZxL8aY9MaYmbxa6llPM/qu1IGH1EJo= +github.com/99designs/gqlgen v0.17.68 h1:vH6jTShCv7sgz1ejXEDNqho7KWlA4ZwSWzVsxyhypAM= +github.com/99designs/gqlgen v0.17.68/go.mod h1:fvCiqQAu2VLhKXez2xFvLmE47QgAPf/KTPN5XQ4rsHQ= github.com/BurntSushi/toml v0.3.1/go.mod h1:xHWCNGjB5oqiDr8zfno3MHue2Ht5sIBksp03qcyfWMU= -github.com/BurntSushi/xgb v0.0.0-20160522181843-27f122750802/go.mod h1:IVnqGOEym/WlBOVXweHU+Q+/VP0lqqI8lqeDx9IjBqo= -github.com/agnivade/levenshtein v1.1.1 h1:QY8M92nrzkmr798gCo3kmMyqXFzdQVpxLlGPRBij0P8= -github.com/agnivade/levenshtein v1.1.1/go.mod h1:veldBMzWxcCG2ZvUTKD2kJNRdCk5hVbJomOvKkmgYbo= +github.com/agnivade/levenshtein v1.2.1 h1:EHBY3UOn1gwdy/VbFwgo4cxecRznFk7fKWN1KOX7eoM= +github.com/agnivade/levenshtein v1.2.1/go.mod h1:QVVI16kDrtSuwcpd0p1+xMC6Z/VfhtCyDIjcwga4/DU= github.com/agoda-com/opentelemetry-go/otelslog v0.2.0 h1:rzjfZxpmek5BmzEufD3vSaNIsOTECYzPH82lHEqRUUw= github.com/agoda-com/opentelemetry-go/otelslog v0.2.0/go.mod h1:CSc0veIcY/HsIfH7l5PGtIpRvBttk09QUQlweVkD2PI= github.com/agoda-com/opentelemetry-logs-go v0.5.1 h1:6iQrLaY4M0glBZb/xVN559qQutK4V+HJ/mB1cbwaX3c= github.com/agoda-com/opentelemetry-logs-go v0.5.1/go.mod h1:35B5ypjX5pkVCPJR01i6owJSYWe8cnbWLpEyHgAGD/E= github.com/andreyvit/diff v0.0.0-20170406064948-c7f18ee00883 h1:bvNMNQO63//z+xNgfBlViaCIJKLlCJ6/fmUseuG0wVQ= github.com/andreyvit/diff v0.0.0-20170406064948-c7f18ee00883/go.mod h1:rCTlJbsFo29Kk6CurOXKm700vrz8f0KW0JNfpkRJY/8= -github.com/andybalholm/brotli v1.1.0 h1:eLKJA0d02Lf0mVpIDgYnqXcUn0GqVmEFny3VuID1U3M= -github.com/andybalholm/brotli v1.1.0/go.mod h1:sms7XGricyQI9K10gOSf56VKKWS4oLer58Q+mhRPtnY= github.com/arbovm/levenshtein v0.0.0-20160628152529-48b4e1c0c4d0 h1:jfIu9sQUG6Ig+0+Ap1h4unLjW6YQJpKZVmUzxsD4E/Q= github.com/arbovm/levenshtein v0.0.0-20160628152529-48b4e1c0c4d0/go.mod h1:t2tdKJDJF9BV14lnkjHmOQgcvEKgtqs5a1N3LNdJhGE= github.com/beorn7/perks v1.0.1 h1:VlbKKnNfV8bJzeqoa4cOKqO6bYr3WgKZxO8Z16+hsOM= github.com/beorn7/perks v1.0.1/go.mod h1:G2ZrVWU2WbWT9wwq4/hrbKbnv/1ERSJQ0ibhJ6rlkpw= github.com/billziss-gh/cgofuse v1.5.0 h1:kH516I/s+Ab4diL/Y/ayFeUjjA8ey+JK12xDfBf4HEs= github.com/billziss-gh/cgofuse v1.5.0/go.mod h1:LJjoaUojlVjgo5GQoEJTcJNqZJeRU0nCR84CyxKt2YM= -github.com/bodgit/plumbing v1.3.0 h1:pf9Itz1JOQgn7vEOE7v7nlEfBykYqvUYioC61TwWCFU= -github.com/bodgit/plumbing v1.3.0/go.mod h1:JOTb4XiRu5xfnmdnDJo6GmSbSbtSyufrsyZFByMtKEs= -github.com/bodgit/sevenzip v1.5.1 h1:rVj0baZsooZFy64DJN0zQogPzhPrT8BQ8TTRd1H4WHw= -github.com/bodgit/sevenzip v1.5.1/go.mod h1:Q3YMySuVWq6pyGEolyIE98828lOfEoeWg5zeH6x22rc= -github.com/bodgit/windows v1.0.1 h1:tF7K6KOluPYygXa3Z2594zxlkbKPAOvqr97etrGNIz4= -github.com/bodgit/windows v1.0.1/go.mod h1:a6JLwrB4KrTR5hBpp8FI9/9W9jJfeQ2h4XDXU74ZCdM= github.com/cenkalti/backoff/v4 v4.3.0 h1:MyRJ/UdXutAwSAT+s3wNd7MfTIcy71VQueUuFK343L8= github.com/cenkalti/backoff/v4 v4.3.0/go.mod h1:Y3VNntkOUPxTVeUxJ/G5vcM//AlwfmyYozVcomhLiZE= github.com/census-instrumentation/opencensus-proto v0.2.1/go.mod h1:f6KPmirojxKA12rnyqOA5BBL4O983OfeGPqjHWSTneU= github.com/cespare/xxhash/v2 v2.3.0 h1:UL815xU9SqsFlibzuggzjXhog7bL6oX9BbNZnL2UFvs= github.com/cespare/xxhash/v2 v2.3.0/go.mod h1:VGX0DQ3Q6kWi7AoAeZDth3/j3BFtOZR5XLFGgcrjCOs= -github.com/chzyer/logex v1.1.10/go.mod h1:+Ywpsq7O8HXn0nuIou7OrIPyXbp3wmkHB+jjWRnGsAI= -github.com/chzyer/readline v0.0.0-20180603132655-2972be24d48e/go.mod h1:nSuG5e5PlCu98SY8svDHJxuZscDgtXS6KTTbou5AhLI= -github.com/chzyer/test v0.0.0-20180213035817-a1ea475d72b1/go.mod h1:Q3SI9o4m/ZMnBNeIyt5eFwwo7qiLfzFZmjNmxjkiQlU= github.com/client9/misspell v0.3.4/go.mod h1:qj6jICC3Q7zFZvVWo7KLAzC3yx5G7kyvSDkc90ppPyw= github.com/cncf/udpa/go v0.0.0-20191209042840-269d4d468f6f/go.mod h1:M8M6+tZqaGXZJjfX53e64911xZQV5JYwmTeXPW+k8Sc= github.com/coreos/go-systemd/v22 v22.5.0/go.mod h1:Y58oyj3AT4RCenI/lSvhwexgC+NSVTIJ3seZv2GcEnc= github.com/cpuguy83/go-md2man/v2 v2.0.0-20190314233015-f79a8a8ca69d/go.mod h1:maD7wRr/U5Z6m/iR4s+kqSMx2CaBsrgA7czyZG/E6dU= -github.com/cpuguy83/go-md2man/v2 v2.0.4 h1:wfIWP927BUkWJb2NmU/kNDYIBTh/ziUX91+lVfRxZq4= -github.com/cpuguy83/go-md2man/v2 v2.0.4/go.mod h1:tgQtvFlXSQOSOSIRvRPT7W67SCa46tRHOmNcaadrF8o= +github.com/cpuguy83/go-md2man/v2 v2.0.5 h1:ZtcqGrnekaHpVLArFSe4HK5DoKx1T0rq2DwVB0alcyc= +github.com/cpuguy83/go-md2man/v2 v2.0.5/go.mod h1:tgQtvFlXSQOSOSIRvRPT7W67SCa46tRHOmNcaadrF8o= github.com/creack/pty v1.1.9/go.mod h1:oKZEueFk5CKHvIhNR5MUki03XCEU+Q6VDXinZuGJ33E= github.com/cyphar/filepath-securejoin v0.3.6 h1:4d9N5ykBnSp5Xn2JkhocYDkOpURL/18CYMpo6xB9uWM= github.com/cyphar/filepath-securejoin v0.3.6/go.mod h1:Sdj7gXlvMcPZsbhwhQ33GguGLDGQL7h7bg04C/+u9jI= @@ -68,8 +40,8 @@ github.com/dgraph-io/ristretto/v2 v2.0.0 h1:l0yiSOtlJvc0otkqyMaDNysg8E9/F/TYZwMb github.com/dgraph-io/ristretto/v2 v2.0.0/go.mod h1:FVFokF2dRqXyPyeMnK1YDy8Fc6aTe0IKgbcd03CYeEk= github.com/dgryski/go-farm v0.0.0-20200201041132-a6ae2369ad13 h1:fAjc9m62+UWV/WAFKLNi6ZS0675eEUC9y3AlwSbQu1Y= github.com/dgryski/go-farm v0.0.0-20200201041132-a6ae2369ad13/go.mod h1:SqUrOPUnsFjfmXRMNPybcSiG0BgUW2AuFH8PAnS2iTw= -github.com/dgryski/trifles v0.0.0-20200323201526-dd97f9abfb48 h1:fRzb/w+pyskVMQ+UbP35JkH8yB7MYb4q/qhBarqZE6g= -github.com/dgryski/trifles v0.0.0-20200323201526-dd97f9abfb48/go.mod h1:if7Fbed8SFyPtHLHbg49SI7NAdJiC5WIA09pe59rfAA= +github.com/dgryski/trifles v0.0.0-20230903005119-f50d829f2e54 h1:SG7nF6SRlWhcT7cNTs5R6Hk4V2lcmLz2NsG2VnInyNo= +github.com/dgryski/trifles v0.0.0-20230903005119-f50d829f2e54/go.mod h1:if7Fbed8SFyPtHLHbg49SI7NAdJiC5WIA09pe59rfAA= github.com/dustin/go-humanize v1.0.1 h1:GzkhY7T5VNhEkwH0PVJgjz+fX1rhBrR7pRT3mDkpeCY= github.com/dustin/go-humanize v1.0.1/go.mod h1:Mu1zIs6XwVuF/gI1OepvI0qD18qycQx+mFykh5fBlto= github.com/envoyproxy/go-control-plane v0.9.0/go.mod h1:YTl/9mNaCwkRvm6d1a2C3ymFceY/DCBVvsKhRF0iEA4= @@ -87,8 +59,6 @@ github.com/go-chi/stampede v0.6.0/go.mod h1:9sHbrc5N9uMJHMjw33pBvV8sGtyK3GQdn0lH github.com/go-git/go-billy/v5 v5.0.0/go.mod h1:pmpqyWchKfYfrkb/UVH4otLvyi/5gJlGI4Hb3ZqZ3W0= github.com/go-git/go-billy/v5 v5.6.1 h1:u+dcrgaguSSkbjzHwelEjc0Yj300NUevrrPphk/SoRA= github.com/go-git/go-billy/v5 v5.6.1/go.mod h1:0AsLr1z2+Uksi4NlElmMblP5rPcDZNRCD8ujZCRR2BE= -github.com/go-gl/glfw v0.0.0-20190409004039-e6da0acd62b1/go.mod h1:vR7hzQXu2zJy9AVAgeJqvqgH9Q5CA+iKCZ2gyEVpxRU= -github.com/go-gl/glfw/v3.3/glfw v0.0.0-20191125211704-12ad95a8df72/go.mod h1:tQ2UAYgL5IevRw8kRxooKSPJfGvJ9fJQFa0TUsXzTg8= github.com/go-logr/logr v1.2.2/go.mod h1:jdQByPbusPIv2/zmleS9BjJVeZ6kBagPoEUsqbVz/1A= github.com/go-logr/logr v1.3.0/go.mod h1:9T104GzyrTigFIr8wt5mBrctHMim0Nb2HLGrmQ40KvY= github.com/go-logr/logr v1.4.2 h1:6pFjapn8bFcIbiKo3XT4j/BhANplGihG6tvd+8rYgrY= @@ -104,19 +74,12 @@ github.com/gofrs/uuid/v5 v5.1.0/go.mod h1:CDOjlDMVAtN56jqyRUZh58JT31Tiw7/oQyEXZV github.com/golang-jwt/jwt v3.2.2+incompatible h1:IfV12K8xAKAnZqdXVzCZ+TOjboZ2keLg81eXfW3O+oY= github.com/golang-jwt/jwt v3.2.2+incompatible/go.mod h1:8pz2t5EyA70fFQQSrl6XZXzqecmYZeUEB8OUGHkxJ+I= github.com/golang/glog v0.0.0-20160126235308-23def4e6c14b/go.mod h1:SBH7ygxi8pfUlaOkMMuAQtPIUF8ecWP5IEl/CR7VP2Q= -github.com/golang/groupcache v0.0.0-20190702054246-869f871628b6/go.mod h1:cIg4eruTrX1D+g88fzRXU5OdNfaM+9IcxsU14FzY7Hc= -github.com/golang/groupcache v0.0.0-20191227052852-215e87163ea7/go.mod h1:cIg4eruTrX1D+g88fzRXU5OdNfaM+9IcxsU14FzY7Hc= github.com/golang/groupcache v0.0.0-20200121045136-8c9f03a8e57e/go.mod h1:cIg4eruTrX1D+g88fzRXU5OdNfaM+9IcxsU14FzY7Hc= github.com/golang/groupcache v0.0.0-20210331224755-41bb18bfe9da h1:oI5xCqsCo564l8iNU+DwB5epxmsaqB+rhGL0m5jtYqE= github.com/golang/groupcache v0.0.0-20210331224755-41bb18bfe9da/go.mod h1:cIg4eruTrX1D+g88fzRXU5OdNfaM+9IcxsU14FzY7Hc= github.com/golang/mock v1.1.1/go.mod h1:oTYuIxOrZwtPieC+H1uAHpcLFnEyAGVDL/k47Jfbm0A= -github.com/golang/mock v1.2.0/go.mod h1:oTYuIxOrZwtPieC+H1uAHpcLFnEyAGVDL/k47Jfbm0A= -github.com/golang/mock v1.3.1/go.mod h1:sBzyDLLjw3U8JLTeZvSv8jJB+tU5PVekmnlKIyFUx0Y= -github.com/golang/mock v1.4.0/go.mod h1:UOMv5ysSaYNkG+OFQykRIcU/QvvxJf3p21QfJ2Bt3cw= github.com/golang/protobuf v1.2.0/go.mod h1:6lQm79b+lXiMfvg/cZm0SGofjICqVBUtrP5yJMmIC1U= -github.com/golang/protobuf v1.3.1/go.mod h1:6lQm79b+lXiMfvg/cZm0SGofjICqVBUtrP5yJMmIC1U= github.com/golang/protobuf v1.3.2/go.mod h1:6lQm79b+lXiMfvg/cZm0SGofjICqVBUtrP5yJMmIC1U= -github.com/golang/protobuf v1.3.3/go.mod h1:vzj43D7+SQXF/4pzW/hwtAqwc6iTitCiVSaWz5lYuqw= github.com/golang/protobuf v1.4.0-rc.1/go.mod h1:ceaxUfeHdC40wWswd/P6IGgMaK3YpKi5j83Wpe3EHw8= github.com/golang/protobuf v1.4.0-rc.1.0.20200221234624-67d41d38c208/go.mod h1:xKAWHe0F5eneWXFV3EuXVDTCmh+JuBKY0li0aMyXATA= github.com/golang/protobuf v1.4.0-rc.2/go.mod h1:LlEzMj4AhA7rCAGe4KMBDvJI+AwstrUpVNzEA03Pprs= @@ -124,8 +87,6 @@ github.com/golang/protobuf v1.4.0-rc.4.0.20200313231945-b860323f09d0/go.mod h1:W github.com/golang/protobuf v1.4.0/go.mod h1:jodUvKwWbYaEsadDk5Fwe5c77LiNKVO9IDvqG2KuDX0= github.com/golang/protobuf v1.4.1/go.mod h1:U8fpvMrcmy5pZrNK1lt4xCsGvpyWQ/VVv6QDs8UjoX8= github.com/golang/protobuf v1.4.3/go.mod h1:oDoupMAO8OvCJWAcko0GGGIgR6R6ocIYbsSw735rRwI= -github.com/google/btree v0.0.0-20180813153112-4030bb1f1f0c/go.mod h1:lNA+9X1NB3Zf8V7Ke586lFgjr2dZNuvo3lPJSGZ5JPQ= -github.com/google/btree v1.0.0/go.mod h1:lNA+9X1NB3Zf8V7Ke586lFgjr2dZNuvo3lPJSGZ5JPQ= github.com/google/flatbuffers v24.3.25+incompatible h1:CX395cjN9Kke9mmalRoL3d81AtFUxJM+yDthflgJGkI= github.com/google/flatbuffers v24.3.25+incompatible/go.mod h1:1AeVuKshWv4vARoZatz6mlQ0JxURH0Kv5+zNeJKJCa8= github.com/google/go-cmp v0.2.0/go.mod h1:oXzfMopK8JAjlY9xF4vHSVASa0yLyX7SntLO5aqRK0M= @@ -136,21 +97,12 @@ github.com/google/go-cmp v0.5.0/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/ github.com/google/go-cmp v0.5.3/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE= github.com/google/go-cmp v0.6.0 h1:ofyhxvXcZhMsU5ulbFiLKl/XBFqE1GSq7atu8tAmTRI= github.com/google/go-cmp v0.6.0/go.mod h1:17dUlkBOakJ0+DkrSSNjCkIjxS6bF9zb3elmeNGIjoY= -github.com/google/martian v2.1.0+incompatible/go.mod h1:9I4somxYTbIHy5NJKHRl3wXiIaQGbYVAs8BPL6v8lEs= -github.com/google/pprof v0.0.0-20181206194817-3ea8567a2e57/go.mod h1:zfwlbNMJ+OItoe0UupaVj+oy1omPYYDuagoSzA8v9mc= -github.com/google/pprof v0.0.0-20190515194954-54271f7e092f/go.mod h1:zfwlbNMJ+OItoe0UupaVj+oy1omPYYDuagoSzA8v9mc= -github.com/google/pprof v0.0.0-20200212024743-f11f1df84d12/go.mod h1:ZgVRPoUq/hfqzAqh7sHMqb3I9Rq5C59dIz2SbBwJ4eM= -github.com/google/renameio v0.1.0/go.mod h1:KWCgfxg9yswjAJkECMjeO8J8rahYeXnNhOm40UhjYkI= github.com/google/uuid v1.1.2/go.mod h1:TIyPZe4MgqvfeYDBFedMoGGpEw/LqOeaOT+nhxU+yHo= github.com/google/uuid v1.6.0 h1:NIvaJDMOsjHA8n1jAhLSgzrAzy1Hgr+hNrb57e+94F0= github.com/google/uuid v1.6.0/go.mod h1:TIyPZe4MgqvfeYDBFedMoGGpEw/LqOeaOT+nhxU+yHo= -github.com/googleapis/gax-go/v2 v2.0.4/go.mod h1:0Wqv26UfaUD9n4G6kQubkQ+KchISgw+vpHVxEJEs9eg= -github.com/googleapis/gax-go/v2 v2.0.5/go.mod h1:DWXyrwAJ9X0FpwwEdw+IPEYBICEFu5mhpdKc/us6bOk= github.com/gopherjs/gopherjs v0.0.0-20181017120253-0766667cb4d1/go.mod h1:wJfORRmW1u3UXTncJ5qlYoELFm8eSnnEO6hX4iZ3EWY= github.com/gopherjs/gopherjs v0.0.0-20190910122728-9d188e94fb99 h1:twflg0XRTjwKpxb/jFExr4HGq6on2dEOmnL6FV+fgPw= github.com/gopherjs/gopherjs v0.0.0-20190910122728-9d188e94fb99/go.mod h1:wJfORRmW1u3UXTncJ5qlYoELFm8eSnnEO6hX4iZ3EWY= -github.com/gorilla/schema v1.4.1 h1:jUg5hUjCSDZpNGLuXQOgIWGdlgrIdYvgQ0wZtdK1M3E= -github.com/gorilla/schema v1.4.1/go.mod h1:Dg5SSm5PV60mhF2NFaTV1xuYYj8tV8NOPRo4FggUMnM= github.com/gorilla/websocket v1.5.1 h1:gmztn0JnHVt9JZquRuzLw3g4wouNVzKL15iLr/zn/QY= github.com/gorilla/websocket v1.5.1/go.mod h1:x3kM2JMyaluk02fnUJpQuwD2dCS5NDG2ZHL0uE0tcaY= github.com/goware/singleflight v0.2.0 h1:e/hZsvNmbLoiZLx3XbihH01oXYA2MwLFo4e+N017U4c= @@ -163,23 +115,10 @@ github.com/grafana/pyroscope-go/godeltaprof v0.1.8 h1:iwOtYXeeVSAeYefJNaxDytgjKt github.com/grafana/pyroscope-go/godeltaprof v0.1.8/go.mod h1:2+l7K7twW49Ct4wFluZD3tZ6e0SjanjcUUBPVD/UuGU= github.com/grpc-ecosystem/grpc-gateway/v2 v2.22.0 h1:asbCHRVmodnJTuQ3qamDwqVOIjwqUPTYmYuemVOx+Ys= github.com/grpc-ecosystem/grpc-gateway/v2 v2.22.0/go.mod h1:ggCgvZ2r7uOoQjOyu2Y1NhHmEPPzzuhWgcza5M1Ji1I= -github.com/hashicorp/errwrap v1.0.0/go.mod h1:YH+1FKiLXxHSkmPseP+kNlulaMuP3n2brvKWEqk/Jc4= -github.com/hashicorp/errwrap v1.1.0 h1:OxrOeh75EUXMY8TBjag2fzXGZ40LB6IKw45YeGUDY2I= -github.com/hashicorp/errwrap v1.1.0/go.mod h1:YH+1FKiLXxHSkmPseP+kNlulaMuP3n2brvKWEqk/Jc4= -github.com/hashicorp/go-multierror v1.1.1 h1:H5DkEtf6CXdFp0N0Em5UCwQpXMWke8IA0+lD48awMYo= -github.com/hashicorp/go-multierror v1.1.1/go.mod h1:iw975J/qwKPdAO1clOe2L8331t/9/fmwbPZ6JB6eMoM= -github.com/hashicorp/golang-lru v0.5.0/go.mod h1:/m3WP610KZHVQ1SGc6re/UDhFvYD7pJ4Ao+sR/qLZy8= -github.com/hashicorp/golang-lru v0.5.1/go.mod h1:/m3WP610KZHVQ1SGc6re/UDhFvYD7pJ4Ao+sR/qLZy8= -github.com/hashicorp/golang-lru/arc/v2 v2.0.7 h1:QxkVTxwColcduO+LP7eJO56r2hFiG8zEbfAAzRv52KQ= -github.com/hashicorp/golang-lru/arc/v2 v2.0.7/go.mod h1:Pe7gBlGdc8clY5LJ0LpJXMt5AmgmWNH1g+oFFVUHOEc= github.com/hashicorp/golang-lru/v2 v2.0.7 h1:a+bsQ5rvGLjzHuww6tVxozPZFVghXaHOwFs4luLUK2k= github.com/hashicorp/golang-lru/v2 v2.0.7/go.mod h1:QeFd9opnmA6QUJc5vARoKUSoFhyfM2/ZepoAG6RGpeM= -github.com/ianlancetaylor/demangle v0.0.0-20181102032728-5e5cf60278f6/go.mod h1:aSSvb/t6k1mPoxDqO4vJh6VOCGPwU4O0C2/Eqndh1Sc= -github.com/jstemmer/go-junit-report v0.0.0-20190106144839-af01ea7f8024/go.mod h1:6v2b51hI/fHJwM22ozAgKL4VKDeJcHhJFhtBdhmNjmU= -github.com/jstemmer/go-junit-report v0.9.1/go.mod h1:Brl9GWCQeLvo8nXZwPNNblvFj/XSXhF0NWZEnDohbsk= github.com/jtolds/gls v4.20.0+incompatible h1:xdiiI2gbIgH/gLH7ADydsJ1uDOEzR8yvV7C0MuV77Wo= github.com/jtolds/gls v4.20.0+incompatible/go.mod h1:QJZ7F/aHp+rZTRtaJ1ow/lLfFfVYBRgL+9YlvaHOwJU= -github.com/kisielk/gotool v1.0.0/go.mod h1:XhKaO+MFFWcvkIS/tQcRk01m1F5IRFswLeQ+oQHNcck= github.com/klauspost/compress v1.17.11 h1:In6xLpyWOi1+C7tXUUWv2ot1QvBjxevKAaI6IXrJmUc= github.com/klauspost/compress v1.17.11/go.mod h1:pMDklpSncoRMuLFrf1W9Ss9KT+0rH90U12bZKk7uwG0= github.com/knadh/koanf/maps v0.1.1 h1:G5TjmUh2D7G2YWf5SQQqSiHRJEjaicvU0KpypqB3NIs= @@ -194,7 +133,6 @@ github.com/knadh/koanf/providers/structs v0.1.0 h1:wJRteCNn1qvLtE5h8KQBvLJovidSd github.com/knadh/koanf/providers/structs v0.1.0/go.mod h1:sw2YZ3txUcqA3Z27gPlmmBzWn1h8Nt9O6EP/91MkcWE= github.com/knadh/koanf/v2 v2.1.2 h1:I2rtLRqXRy1p01m/utEtpZSSA6dcJbgGVuE27kW2PzQ= github.com/knadh/koanf/v2 v2.1.2/go.mod h1:Gphfaen0q1Fc1HTgJgSTC4oRX9R2R5ErYMZJy8fLJBo= -github.com/kr/pretty v0.1.0/go.mod h1:dAy3ld7l9f0ibDNOQOHHMYYIIbhfbHSm3C4ZsoJORNo= github.com/kr/pretty v0.3.1 h1:flRD4NNwYAUpkphVc1HcthR4KEIFJ65n8Mw5qdRn3LE= github.com/kr/pretty v0.3.1/go.mod h1:hoEshYVHaxMs3cyo3Yncou5ZscifuDolrwPKZanG3xk= github.com/kr/pty v1.1.1/go.mod h1:pFQYn66WHrOpPYNljwOMqo10TkYh1fy3cYio2l3bCsQ= @@ -209,27 +147,22 @@ github.com/labstack/echo/v4 v4.12.0 h1:IKpw49IMryVB2p1a4dzwlhP1O2Tf2E0Ir/450lH+k github.com/labstack/echo/v4 v4.12.0/go.mod h1:UP9Cr2DJXbOK3Kr9ONYzNowSh7HP0aG0ShAyycHSJvM= github.com/labstack/gommon v0.4.2 h1:F8qTUNXgG1+6WQmqoUWnz8WiEU60mXVVw0P4ht1WRA0= github.com/labstack/gommon v0.4.2/go.mod h1:QlUFxVM+SNXhDL/Z7YhocGIBYOiwB0mXm1+1bAPHPyU= -github.com/mattn/go-colorable v0.1.13 h1:fFA4WZxdEF4tXPZVKMLwD8oUnCTTo08duU7wxecdEvA= github.com/mattn/go-colorable v0.1.13/go.mod h1:7S9/ev0klgBDR4GtXTXX8a3vIGJpMovkB8vQcUbaXHg= +github.com/mattn/go-colorable v0.1.14 h1:9A9LHSqF/7dyVVX6g0U9cwm9pG3kP9gSzcuIPHPsaIE= +github.com/mattn/go-colorable v0.1.14/go.mod h1:6LmQG8QLFO4G5z1gPvYEzlUgJ2wF+stgPZH1UqBm1s8= github.com/mattn/go-isatty v0.0.16/go.mod h1:kYGgaQfpe5nmfYZH+SKPsOc2e4SrIfOl2e/yFXSvRLM= github.com/mattn/go-isatty v0.0.19/go.mod h1:W+V8PltTTMOvKvAeJH7IuucS94S2C6jfK/D7dTCTo3Y= github.com/mattn/go-isatty v0.0.20 h1:xfD0iDuEKnDkl03q4limB+vH+GxLEtL/jb4xVJSWWEY= github.com/mattn/go-isatty v0.0.20/go.mod h1:W+V8PltTTMOvKvAeJH7IuucS94S2C6jfK/D7dTCTo3Y= github.com/mitchellh/copystructure v1.2.0 h1:vpKXTN4ewci03Vljg/q9QvCGUDttBOGBIa15WveJJGw= github.com/mitchellh/copystructure v1.2.0/go.mod h1:qLl+cE2AmVv+CoeAwDPye/v+N2HKCj9FbZEVFJRxO9s= -github.com/mitchellh/mapstructure v1.5.0 h1:jeMsZIYE/09sWLaz43PL7Gy6RuMjD2eJVyuac5Z2hdY= -github.com/mitchellh/mapstructure v1.5.0/go.mod h1:bFUtVrKA4DC2yAKiSyO/QUcy7e+RRV2QTWOzhPopBRo= github.com/mitchellh/reflectwalk v1.0.2 h1:G2LzWKi524PWgd3mLHV8Y5k7s6XUvT0Gef6zxSIeXaQ= github.com/mitchellh/reflectwalk v1.0.2/go.mod h1:mSTlrgnPZtwu0c4WaC2kGObEpuNDbx0jmZXqmk4esnw= github.com/munnerz/goautoneg v0.0.0-20191010083416-a7dc8b61c822 h1:C3w9PqII01/Oq1c1nUAm88MOHcQC9l5mIlSMApZMrHA= github.com/munnerz/goautoneg v0.0.0-20191010083416-a7dc8b61c822/go.mod h1:+n7T8mK8HuQTcFwEeznm/DIxMOiR9yIdICNftLE1DvQ= github.com/niemeyer/pretty v0.0.0-20200227124842-a10e7caefd8e/go.mod h1:zD1mROLANZcx1PVRCS0qkT7pwLkGfwJo4zjcN/Tysno= -github.com/nwaples/rardecode/v2 v2.0.0-beta.2 h1:e3mzJFJs4k83GXBEiTaQ5HgSc/kOK8q0rDaRO0MPaOk= -github.com/nwaples/rardecode/v2 v2.0.0-beta.2/go.mod h1:yntwv/HfMc/Hbvtq9I19D1n58te3h6KsqCf3GxyfBGY= github.com/onsi/gomega v1.34.1 h1:EUMJIKUjM8sKjYbtxQI9A4z2o+rruxnzNvpknOXie6k= github.com/onsi/gomega v1.34.1/go.mod h1:kU1QgUvBDLXBJq618Xvm2LUX6rSAfRaFRTcdOeDLwwY= -github.com/pierrec/lz4/v4 v4.1.21 h1:yOVMLb6qSIDP67pl/5F7RepeKYu/VmTyEXvuMI5d9mQ= -github.com/pierrec/lz4/v4 v4.1.21/go.mod h1:gZWDp/Ze/IJXGXf23ltt2EXimqmTUXEy0GFuRQyBid4= github.com/pkg/errors v0.9.1 h1:FEBLx1zS214owpjy7qsBeixbURkuhQAwrK5UwLGTwt4= github.com/pkg/errors v0.9.1/go.mod h1:bwawxfHBFNV+L2hUp1rHADufV3IMtnDRdf1r5NINEl0= github.com/pmezard/go-difflib v1.0.0/go.mod h1:iKH77koFhYxTK1pcRnkKkqfTogsbg7gZNVY4sRDYZ/4= @@ -257,7 +190,6 @@ github.com/rasky/go-xdr v0.0.0-20170124162913-1a41d1a06c93 h1:UVArwN/wkKjMVhh2EQ github.com/rasky/go-xdr v0.0.0-20170124162913-1a41d1a06c93/go.mod h1:Nfe4efndBz4TibWycNE+lqyJZiMX4ycx+QKV8Ta0f/o= github.com/ravilushqa/otelgqlgen v0.15.0 h1:U85nrlweMXTGaMChUViYM39/MXBZVeVVlpuHq+6eECQ= github.com/ravilushqa/otelgqlgen v0.15.0/go.mod h1:o+1Eju0VySmgq2BP8Vupz2YrN21Bj7D7imBqu3m2uB8= -github.com/rogpeppe/go-internal v1.3.0/go.mod h1:M8bDsm7K2OlrFYOpmOWEs/qY81heoFRclV5y23lUDJ4= github.com/rogpeppe/go-internal v1.13.1 h1:KvO1DLK/DRN07sQ1LQKScxyZJuNnedQ5/wKSR38lUII= github.com/rogpeppe/go-internal v1.13.1/go.mod h1:uMEvuHeurkdAXX61udpOXGD/AzZDWNMNyH2VO9fmH0o= github.com/royalcat/btrgo v0.0.0-20240318160410-19bd27154450 h1:AZyZxXZLniAR0DaZhTS4RVcHtOvYMW8IunplqC9A0mk= @@ -266,8 +198,6 @@ github.com/royalcat/ctxio v0.0.0-20240602084623-009bd79b3176 h1:2jCQJow6jRvhpdMJ github.com/royalcat/ctxio v0.0.0-20240602084623-009bd79b3176/go.mod h1:81eB8eOH/UU7pzI7J1Rsg3KLpshF7BXg4+UHbex+27I= github.com/royalcat/ctxprogress v0.0.0-20240614113930-3cc5bb935bff h1:KlZaOEZYhCzyNYIp0LcE7MNR2Ar0PJS3eJU6A5mMTpk= github.com/royalcat/ctxprogress v0.0.0-20240614113930-3cc5bb935bff/go.mod h1:RcUpbosy/m3bJ3JsVO18MXEbrKRHOHkmYBXigDGekaA= -github.com/royalcat/iouring-go v0.0.0-20240925200811-286062ac1b23 h1:3yOlLKYd6iSGkRUOCPuBQibjjvZyrGB/4sm0fh3nNuQ= -github.com/royalcat/iouring-go v0.0.0-20240925200811-286062ac1b23/go.mod h1:LEzdaZarZ5aqROlLIwJ4P7h3+4o71008fSy6wpaEB+s= github.com/royalcat/kv v0.0.0-20240723215915-954e36a2491d h1:MmqWGKR/MQdRBRieWVQXkn6X5dVyvwC/1H1WZEVLj3A= github.com/royalcat/kv v0.0.0-20240723215915-954e36a2491d/go.mod h1:UMD8Uk5ph+34lFjD7WrEUdiivC3pyd1tTAGYv3+iukg= github.com/royalcat/kv/kvbadger v0.0.0-20240723215915-954e36a2491d h1:87jn2CTjcxuLmQ2+8128bQD9m4qUM2F8oLNX+HvPGfc= @@ -280,7 +210,6 @@ github.com/rs/zerolog v1.32.0/go.mod h1:/7mN4D5sKwJLZQ2b/znpjC3/GQWY/xaDXUM0kKWR github.com/russross/blackfriday/v2 v2.0.1/go.mod h1:+Rmxgy9KzJVeS9/2gXHxylqXiyQDYRxCVz55jmeOWTM= github.com/russross/blackfriday/v2 v2.1.0 h1:JIOH55/0cWyOuilr9/qlrm0BSXldqnqwMsf35Ld67mk= github.com/russross/blackfriday/v2 v2.1.0/go.mod h1:+Rmxgy9KzJVeS9/2gXHxylqXiyQDYRxCVz55jmeOWTM= -github.com/rwcarlsen/goexif v0.0.0-20190401172101-9e8deecbddbd/go.mod h1:hPqNNc0+uJM6H+SuU8sEs5K5IQeKccPqeSjfgcKGgPk= github.com/samber/lo v1.47.0 h1:z7RynLwP5nbyRscyvcD043DWYoOcYRv3mV8lBeqOCLc= github.com/samber/lo v1.47.0/go.mod h1:RmDH9Ct32Qy3gduHQuKJ3gW1fMHAnE/fAzQuf6He5cU= github.com/samber/slog-multi v1.0.2 h1:6BVH9uHGAsiGkbbtQgAOQJMpKgV8unMrHhhJaw+X1EQ= @@ -305,24 +234,21 @@ github.com/sourcegraph/conc v0.3.0/go.mod h1:Sdozi7LEKbFPqYX2/J+iBAM6HpqSLTASQIK github.com/stretchr/objx v0.1.0/go.mod h1:HFkY916IF+rwdDfMAkV7OtwuqBVzrE8GR6GFx+wExME= github.com/stretchr/objx v0.4.0/go.mod h1:YvHI0jy2hoMjB+UWwv71VJQ9isScKT/TqJzVSSt89Yw= github.com/stretchr/objx v0.5.0/go.mod h1:Yh+to48EsGEfYuaHDzXPcE3xhTkx73EhmCGUpEOglKo= -github.com/stretchr/testify v1.4.0/go.mod h1:j7eGeouHqKxXV5pUuKE4zz7dFj8WfuZ+81PSLYec5m4= github.com/stretchr/testify v1.7.1/go.mod h1:6Fq8oRcR53rry900zMqJjRRixrwX3KX962/h/Wwjteg= github.com/stretchr/testify v1.8.0/go.mod h1:yNjHg4UonilssWZ8iaSj1OCr/vHnekPRkoO+kdMU+MU= github.com/stretchr/testify v1.8.1/go.mod h1:w2LPCIKwWwSfY2zedu0+kehJoqGctiVI29o6fzry7u4= github.com/stretchr/testify v1.8.4/go.mod h1:sz/lmYIOXD/1dqDmKjjqLyZ2RngseejIcXlSw2iwfAo= github.com/stretchr/testify v1.10.0 h1:Xv5erBjTwe/5IxqUQTdXv5kgmIvbHo3QQyRwhJsOfJA= github.com/stretchr/testify v1.10.0/go.mod h1:r2ic/lqez/lEtzL7wO/rwa5dbSLXVDPFyf8C91i36aY= -github.com/ulikunitz/xz v0.5.12 h1:37Nm15o69RwBkXM0J6A5OlE67RZTfzUxTj8fB3dfcsc= -github.com/ulikunitz/xz v0.5.12/go.mod h1:nbz6k7qbPmH4IRqmfOplQw/tblSgqTqBwxkY0oWt/14= github.com/urfave/cli v1.22.10/go.mod h1:Gos4lmkARVdJ6EkW0WaNv/tZAAMe9V7XWyB60NtXRu0= -github.com/urfave/cli/v2 v2.27.4 h1:o1owoI+02Eb+K107p27wEX9Bb8eqIoZCfLXloLUSWJ8= -github.com/urfave/cli/v2 v2.27.4/go.mod h1:m4QzxcD2qpra4z7WhzEGn74WZLViBnMpb1ToCAKdGRQ= +github.com/urfave/cli/v2 v2.27.6 h1:VdRdS98FNhKZ8/Az8B7MTyGQmpIr36O1EHybx/LaZ4g= +github.com/urfave/cli/v2 v2.27.6/go.mod h1:3Sevf16NykTbInEnD0yKkjDAeZDS0A6bzhBH5hrMvTQ= github.com/valyala/bytebufferpool v1.0.0 h1:GqA5TC/0021Y/b9FG4Oi9Mr3q7XYx6KllzawFIhcdPw= github.com/valyala/bytebufferpool v1.0.0/go.mod h1:6bBcMArwyJ5K/AmCkWv1jt77kVWyCJ6HpOuEn7z0Csc= github.com/valyala/fasttemplate v1.2.2 h1:lxLXG0uE3Qnshl9QyaK6XJxMXlQZELvChBOCmQD0Loo= github.com/valyala/fasttemplate v1.2.2/go.mod h1:KHLXt3tVN2HBp8eijSv/kGJopbvo7S+qRAEEKiv+SiQ= -github.com/vektah/gqlparser/v2 v2.5.17 h1:9At7WblLV7/36nulgekUgIaqHZWn5hxqluxrxGUhOmI= -github.com/vektah/gqlparser/v2 v2.5.17/go.mod h1:1lz1OeCqgQbQepsGxPVywrjdBHW2T08PUS3pJqepRww= +github.com/vektah/gqlparser/v2 v2.5.23 h1:PurJ9wpgEVB7tty1seRUwkIDa/QH5RzkzraiKIjKLfA= +github.com/vektah/gqlparser/v2 v2.5.23/go.mod h1:D1/VCZtV3LPnQrcPBeR/q5jkSQIPti0uYCP/RI0gIeo= github.com/warpfork/go-errcat v0.0.0-20180917083543-335044ffc86e h1:FIB2fi7XJGHIdf5rWNsfFQqatIKxutT45G+wNuMQNgs= github.com/warpfork/go-errcat v0.0.0-20180917083543-335044ffc86e/go.mod h1:/qe02xr3jvTUz8u/PV0FHGpP8t96OQNP7U9BJMwMLEw= github.com/warpfork/go-wish v0.0.0-20200122115046-b9ea61034e4a/go.mod h1:x6AKhvSSexNrVSrViXSHUEbICjmGXhtgABaHIySUSGw= @@ -334,11 +260,6 @@ github.com/willscott/memphis v0.0.0-20210922141505-529d4987ab7e h1:1eHCP4w7tMmpf github.com/willscott/memphis v0.0.0-20210922141505-529d4987ab7e/go.mod h1:59vHBW4EpjiL5oiqgCrBp1Tc9JXRzKCNMEOaGmNfSHo= github.com/xrash/smetrics v0.0.0-20240521201337-686a1a2994c1 h1:gEOO8jv9F4OT7lGCjxCBTO/36wtF6j2nSip77qHd4x4= github.com/xrash/smetrics v0.0.0-20240521201337-686a1a2994c1/go.mod h1:Ohn+xnUBiLI6FVj/9LpzZWtj1/D6lUovWYBkxHVV3aM= -github.com/yuin/goldmark v1.4.13/go.mod h1:6yULJ656Px+3vBD8DxQVa3kxgyrAnzto9xy5taEt/CY= -go.opencensus.io v0.21.0/go.mod h1:mSImk1erAIZhrmZN+AvHh14ztQfjbGwt4TtuofqLduU= -go.opencensus.io v0.22.0/go.mod h1:+kGneAE2xo2IficOXnaByMWTGM9T73dGwxeWcUqIpI8= -go.opencensus.io v0.22.2/go.mod h1:yxeiOL68Rb0Xd1ddK5vPZ/oVn4vY4Ynel7k9FzqtOIw= -go.opencensus.io v0.22.3/go.mod h1:yxeiOL68Rb0Xd1ddK5vPZ/oVn4vY4Ynel7k9FzqtOIw= go.opencensus.io v0.24.0 h1:y73uSU6J157QMP2kn2r30vwW1A2W2WFwSCGnAVxeaD0= go.opencensus.io v0.24.0/go.mod h1:vNK8G9p7aAivkbmorf4v+7Hgx+Zs0yY+0fOtgBfjQKo= go.opentelemetry.io/auto/sdk v1.1.0 h1:cH53jehLUN6UFLY71z+NDOiNJqDdPRaXzTel0sJySYA= @@ -373,191 +294,71 @@ go.uber.org/goleak v1.3.0 h1:2K3zAYmnTNqV73imy9J1T3WC+gmCePx2hEGkimedGto= go.uber.org/goleak v1.3.0/go.mod h1:CoHD4mav9JJNrW/WLlf7HGZPjdw8EucARQHekz1X6bE= go.uber.org/multierr v1.10.0 h1:S0h4aNzvfcFsC3dRF1jLoaov7oRaKqRGC/pUEJ2yvPQ= go.uber.org/multierr v1.10.0/go.mod h1:20+QtiLqy0Nd6FdQB9TLXag12DsQkrbs3htMFfDN80Y= -go4.org v0.0.0-20230225012048-214862532bf5 h1:nifaUDeh+rPaBCMPMQHZmvJf+QdpLFnuQPwx+LxVmtc= -go4.org v0.0.0-20230225012048-214862532bf5/go.mod h1:F57wTi5Lrj6WLyswp5EYV1ncrEbFGHD4hhz6S1ZYeaU= golang.org/x/crypto v0.0.0-20190308221718-c2843e01d9a2/go.mod h1:djNgcEr1/C05ACkg1iLfiJU5Ep61QUkGW8qpdssI0+w= -golang.org/x/crypto v0.0.0-20190510104115-cbcb75029529/go.mod h1:yigFU9vqHzYiE8UmvKecakEJjdnWj3jj499lnFckfCI= -golang.org/x/crypto v0.0.0-20190605123033-f99c8df09eb5/go.mod h1:yigFU9vqHzYiE8UmvKecakEJjdnWj3jj499lnFckfCI= -golang.org/x/crypto v0.0.0-20191011191535-87dc89f01550/go.mod h1:yigFU9vqHzYiE8UmvKecakEJjdnWj3jj499lnFckfCI= golang.org/x/crypto v0.0.0-20200622213623-75b288015ac9/go.mod h1:LzIPMQfyMNhhGPhUkYOs5KpL4U8rLKemX1yGLhDgUto= -golang.org/x/crypto v0.0.0-20210921155107-089bfa567519/go.mod h1:GvvjBRRGRdwPK5ydBHafDWAxML/pGHZbMvKqRZ5+Abc= -golang.org/x/crypto v0.32.0 h1:euUpcYgM8WcP71gNpTqQCn6rC2t6ULUPiOzfWaXVVfc= -golang.org/x/crypto v0.32.0/go.mod h1:ZnnJkOaASj8g0AjIduWNlq2NRxL0PlBrbKVyZ6V/Ugc= +golang.org/x/crypto v0.36.0 h1:AnAEvhDddvBdpY+uR+MyHmuZzzNqXSe/GvuDeob5L34= +golang.org/x/crypto v0.36.0/go.mod h1:Y4J0ReaxCR1IMaabaSMugxJES1EpwhBHhv2bDHklZvc= golang.org/x/exp v0.0.0-20190121172915-509febef88a4/go.mod h1:CJ0aWSM057203Lf6IL+f9T1iT9GByDxfZKAQTCR3kQA= -golang.org/x/exp v0.0.0-20190306152737-a1d7652674e8/go.mod h1:CJ0aWSM057203Lf6IL+f9T1iT9GByDxfZKAQTCR3kQA= -golang.org/x/exp v0.0.0-20190510132918-efd6b22b2522/go.mod h1:ZjyILWgesfNpC6sMxTJOJm9Kp84zZh5NQWvqDGG3Qr8= -golang.org/x/exp v0.0.0-20190829153037-c13cbed26979/go.mod h1:86+5VVa7VpoJ4kLfm080zCjGlMRFzhUhsZKEZO7MGek= -golang.org/x/exp v0.0.0-20191030013958-a1ab85dbe136/go.mod h1:JXzH8nQsPlswgeRAPE3MuO9GYsAcnJvJ4vnMwN/5qkY= -golang.org/x/exp v0.0.0-20191129062945-2f5052295587/go.mod h1:2RIsYlXP63K8oxa1u096TMicItID8zy7Y6sNkU49FU4= -golang.org/x/exp v0.0.0-20191227195350-da58074b4299/go.mod h1:2RIsYlXP63K8oxa1u096TMicItID8zy7Y6sNkU49FU4= -golang.org/x/exp v0.0.0-20200207192155-f17229e696bd/go.mod h1:J/WKrq2StrnmMY6+EHIKF9dgMWnmCNThgcyBT1FY9mM= golang.org/x/exp v0.0.0-20250106191152-7588d65b2ba8 h1:yqrTHse8TCMW1M1ZCP+VAR/l0kKxwaAIqN/il7x4voA= golang.org/x/exp v0.0.0-20250106191152-7588d65b2ba8/go.mod h1:tujkw807nyEEAamNbDrEGzRav+ilXA7PCRAd6xsmwiU= -golang.org/x/image v0.0.0-20190227222117-0694c2d4d067/go.mod h1:kZ7UVZpmo3dzQBMxlp+ypCbDeSB+sBbTgSJuh5dn5js= -golang.org/x/image v0.0.0-20190802002840-cff245a6509b/go.mod h1:FeLwcggjj3mMvU+oOTbSwawSJRM1uh48EjtB4UJZlP0= golang.org/x/lint v0.0.0-20181026193005-c67002cb31c3/go.mod h1:UVdnD1Gm6xHRNCYTkRU2/jEulfH38KcIWyp/GAMgvoE= golang.org/x/lint v0.0.0-20190227174305-5b3e6a55c961/go.mod h1:wehouNa3lNwaWXcvxsM5YxQ5yQlVC4a0KAMCusXpPoU= -golang.org/x/lint v0.0.0-20190301231843-5614ed5bae6f/go.mod h1:UVdnD1Gm6xHRNCYTkRU2/jEulfH38KcIWyp/GAMgvoE= golang.org/x/lint v0.0.0-20190313153728-d0100b6bd8b3/go.mod h1:6SW0HCj/g11FgYtHlgUYUwCkIfeOF89ocIRzGO/8vkc= -golang.org/x/lint v0.0.0-20190409202823-959b441ac422/go.mod h1:6SW0HCj/g11FgYtHlgUYUwCkIfeOF89ocIRzGO/8vkc= -golang.org/x/lint v0.0.0-20190909230951-414d861bb4ac/go.mod h1:6SW0HCj/g11FgYtHlgUYUwCkIfeOF89ocIRzGO/8vkc= -golang.org/x/lint v0.0.0-20190930215403-16217165b5de/go.mod h1:6SW0HCj/g11FgYtHlgUYUwCkIfeOF89ocIRzGO/8vkc= -golang.org/x/lint v0.0.0-20191125180803-fdd1cda4f05f/go.mod h1:5qLYkcX4OjUUV8bRuDixDT3tpyyb+LUpUlRWLxfhWrs= -golang.org/x/lint v0.0.0-20200130185559-910be7a94367/go.mod h1:3xt1FjdF8hUf6vQPIChWIBhFzV8gjjsPE/fR3IyQdNY= -golang.org/x/mobile v0.0.0-20190312151609-d3739f865fa6/go.mod h1:z+o9i4GpDbdi3rU15maQ/Ox0txvL9dWGYEHz965HBQE= -golang.org/x/mobile v0.0.0-20190719004257-d2bd2a29d028/go.mod h1:E/iHnbuqvinMTCcRqshq8CkpyQDoeVncDDYHnLhea+o= -golang.org/x/mod v0.0.0-20190513183733-4bf6d317e70e/go.mod h1:mXi4GBBbnImb6dmsKGUJ2LatrhH/nqhxcFungHvyanc= -golang.org/x/mod v0.1.0/go.mod h1:0QHyrYULN0/3qlju5TqG8bIK38QM8yzMo5ekMj3DlcY= -golang.org/x/mod v0.1.1-0.20191105210325-c90efee705ee/go.mod h1:QqPTAvyqsEbceGzBzNggFXnrqF1CaUcvgkdR5Ot7KZg= -golang.org/x/mod v0.2.0/go.mod h1:s0Qsj1ACt9ePp/hMypM3fl4fZqREWJwdYDEqhRiZZUA= -golang.org/x/mod v0.6.0-dev.0.20220419223038-86c51ed26bb4/go.mod h1:jJ57K6gSWd91VN4djpZkiMVwK6gcyfeH4XE8wZrZaV4= -golang.org/x/mod v0.22.0 h1:D4nJWe9zXqHOmWqj4VMOJhvzj7bEZg4wEYa759z1pH4= -golang.org/x/mod v0.22.0/go.mod h1:6SkKJ3Xj0I0BrPOZoBy3bdMptDDU9oJrpohJ3eWZ1fY= +golang.org/x/mod v0.24.0 h1:ZfthKaKaT4NrhGVZHO1/WDTwGES4De8KtWO0SIbNJMU= +golang.org/x/mod v0.24.0/go.mod h1:IXM97Txy2VM4PJ3gI61r1YEk/gAj6zAHN3AdZt6S9Ww= golang.org/x/net v0.0.0-20180724234803-3673e40ba225/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= golang.org/x/net v0.0.0-20180826012351-8a410e7b638d/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= -golang.org/x/net v0.0.0-20190108225652-1e06a53dbb7e/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= golang.org/x/net v0.0.0-20190213061140-3a22650c66bd/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= golang.org/x/net v0.0.0-20190311183353-d8887717615a/go.mod h1:t9HGtf8HONx5eT2rtn7q6eTqICYqUVnKs3thJo3Qplg= golang.org/x/net v0.0.0-20190404232315-eb5bcb51f2a3/go.mod h1:t9HGtf8HONx5eT2rtn7q6eTqICYqUVnKs3thJo3Qplg= -golang.org/x/net v0.0.0-20190501004415-9ce7a6920f09/go.mod h1:t9HGtf8HONx5eT2rtn7q6eTqICYqUVnKs3thJo3Qplg= -golang.org/x/net v0.0.0-20190503192946-f4e77d36d62c/go.mod h1:t9HGtf8HONx5eT2rtn7q6eTqICYqUVnKs3thJo3Qplg= -golang.org/x/net v0.0.0-20190603091049-60506f45cf65/go.mod h1:HSz+uSET+XFnRR8LxR5pz3Of3rY3CfYBVs4xY44aLks= -golang.org/x/net v0.0.0-20190620200207-3b0461eec859/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= -golang.org/x/net v0.0.0-20190724013045-ca1201d0de80/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= -golang.org/x/net v0.0.0-20191209160850-c0dbc17a3553/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= -golang.org/x/net v0.0.0-20200202094626-16171245cfb2/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= golang.org/x/net v0.0.0-20201110031124-69a78807bb2b/go.mod h1:sp8m0HH+o8qH0wwXwYZr8TS3Oi6o0r6Gce1SSxlDquU= -golang.org/x/net v0.0.0-20210226172049-e18ecbb05110/go.mod h1:m0MpNAwzfU5UDzcl9v0D8zg8gWTRqZa9RBIspLL5mdg= -golang.org/x/net v0.0.0-20220722155237-a158d28d115b/go.mod h1:XRhObCWvk6IyKnWLug+ECip1KBveYUHfp+8e9klMJ9c= -golang.org/x/net v0.7.0/go.mod h1:2Tu9+aMcznHK/AK1HMvgo6xiTLG5rD5rZLDS+rp2Bjs= -golang.org/x/net v0.34.0 h1:Mb7Mrk043xzHgnRM88suvJFwzVrRfHEHJEl5/71CKw0= -golang.org/x/net v0.34.0/go.mod h1:di0qlW3YNM5oh6GqDGQr92MyTozJPmybPK4Ev/Gm31k= +golang.org/x/net v0.37.0 h1:1zLorHbz+LYj7MQlSf1+2tPIIgibq2eL5xkrGk6f+2c= +golang.org/x/net v0.37.0/go.mod h1:ivrbrMbzFq5J41QOQh0siUuly180yBYtLp+CKbEaFx8= golang.org/x/oauth2 v0.0.0-20180821212333-d2e6202438be/go.mod h1:N/0e6XlmueqKjAGxoOufVs8QHGRruUQn6yWY3a++T0U= -golang.org/x/oauth2 v0.0.0-20190226205417-e64efc72b421/go.mod h1:gOpvHmFTYa4IltrdGE7lF6nIHvwfUNPOp7c8zoXwtLw= -golang.org/x/oauth2 v0.0.0-20190604053449-0f29369cfe45/go.mod h1:gOpvHmFTYa4IltrdGE7lF6nIHvwfUNPOp7c8zoXwtLw= -golang.org/x/oauth2 v0.0.0-20191202225959-858c2ad4c8b6/go.mod h1:gOpvHmFTYa4IltrdGE7lF6nIHvwfUNPOp7c8zoXwtLw= -golang.org/x/oauth2 v0.0.0-20200107190931-bf48bf16ab8d/go.mod h1:gOpvHmFTYa4IltrdGE7lF6nIHvwfUNPOp7c8zoXwtLw= golang.org/x/sync v0.0.0-20180314180146-1d60e4601c6f/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= golang.org/x/sync v0.0.0-20181108010431-42b317875d0f/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= -golang.org/x/sync v0.0.0-20181221193216-37e7f081c4d4/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= -golang.org/x/sync v0.0.0-20190227155943-e225da77a7e6/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= golang.org/x/sync v0.0.0-20190423024810-112230192c58/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= -golang.org/x/sync v0.0.0-20190911185100-cd5d95a43a6e/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= -golang.org/x/sync v0.0.0-20220722155255-886fb9371eb4/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= -golang.org/x/sync v0.10.0 h1:3NQrjDixjgGwUOCaF8w2+VYHv0Ve/vGYSbdkTa98gmQ= -golang.org/x/sync v0.10.0/go.mod h1:Czt+wKu1gCyEFDUtn0jG5QVvpJ6rzVqr5aXyt9drQfk= +golang.org/x/sync v0.12.0 h1:MHc5BpPuC30uJk597Ri8TV3CNZcTLu6B6z4lJy+g6Jw= +golang.org/x/sync v0.12.0/go.mod h1:1dzgHSNfp02xaA81J2MS99Qcpr2w7fw1gpm99rleRqA= golang.org/x/sys v0.0.0-20180830151530-49385e6e1522/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= golang.org/x/sys v0.0.0-20190215142949-d0b11bdaac8a/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= -golang.org/x/sys v0.0.0-20190312061237-fead79001313/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20190412213103-97732733099d/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= -golang.org/x/sys v0.0.0-20190502145724-3ef323f4f1fd/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= -golang.org/x/sys v0.0.0-20190507160741-ecd444e8653b/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= -golang.org/x/sys v0.0.0-20190606165138-5da285871e9c/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= -golang.org/x/sys v0.0.0-20190624142023-c5567b49c5d0/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= -golang.org/x/sys v0.0.0-20190726091711-fc99dfbffb4e/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= -golang.org/x/sys v0.0.0-20191204072324-ce4227a45e2e/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= -golang.org/x/sys v0.0.0-20191228213918-04cbcbbfeed8/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= -golang.org/x/sys v0.0.0-20200212091648-12a6c2dcc1e4/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200302150141-5c8b2ff67527/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= -golang.org/x/sys v0.0.0-20200923182605-d9f96fdee20d/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200930185726-fdedc70b468f/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= -golang.org/x/sys v0.0.0-20201119102817-f84b799fce68/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= -golang.org/x/sys v0.0.0-20210615035016-665e8c7367d1/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg= -golang.org/x/sys v0.0.0-20220520151302-bc2c85ada10a/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg= -golang.org/x/sys v0.0.0-20220722155257-8c9f86f7a55f/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg= golang.org/x/sys v0.0.0-20220811171246-fbc7d0a398ab/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg= -golang.org/x/sys v0.5.0/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg= golang.org/x/sys v0.6.0/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg= golang.org/x/sys v0.12.0/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg= golang.org/x/sys v0.14.0/go.mod h1:/VUhepiaJMQUp4+oa/7Zr1D23ma6VTLIYjOOTFZPUcA= -golang.org/x/sys v0.29.0 h1:TPYlXGxvx1MGTn2GiZDhnjPA9wZzZeGKHHmKhHYvgaU= -golang.org/x/sys v0.29.0/go.mod h1:/VUhepiaJMQUp4+oa/7Zr1D23ma6VTLIYjOOTFZPUcA= -golang.org/x/term v0.0.0-20201126162022-7de9c90e9dd1/go.mod h1:bj7SfCRtBDWHUb9snDiAeCFNEtKQo2Wmx5Cou7ajbmo= -golang.org/x/term v0.0.0-20210927222741-03fcf44c2211/go.mod h1:jbD1KX2456YbFQfuXm/mYQcufACuNUgVhRMnK/tPxf8= -golang.org/x/term v0.5.0/go.mod h1:jMB1sMXY+tzblOD4FWmEbocvup2/aLOaQEp7JmGp78k= -golang.org/x/text v0.0.0-20170915032832-14c0d48ead0c/go.mod h1:NqM8EUOU14njkJ3fqMW+pc6Ldnwhi/IjpwHt7yyuwOQ= +golang.org/x/sys v0.31.0 h1:ioabZlmFYtWhL+TRYpcnNlLwhyxaM9kWTDEmfnprqik= +golang.org/x/sys v0.31.0/go.mod h1:BJP2sWEmIv4KK5OTEluFJCKSidICx8ciO85XgH3Ak8k= golang.org/x/text v0.3.0/go.mod h1:NqM8EUOU14njkJ3fqMW+pc6Ldnwhi/IjpwHt7yyuwOQ= -golang.org/x/text v0.3.1-0.20180807135948-17ff2d5776d2/go.mod h1:NqM8EUOU14njkJ3fqMW+pc6Ldnwhi/IjpwHt7yyuwOQ= -golang.org/x/text v0.3.2/go.mod h1:bEr9sfX3Q8Zfm5fL9x+3itogRgK3+ptLWKqgva+5dAk= golang.org/x/text v0.3.3/go.mod h1:5Zoc/QRtKVWzQhOtBMvqHzDpF6irO9z98xDceosuGiQ= -golang.org/x/text v0.3.7/go.mod h1:u+2+/6zg+i71rQMx5EYifcz6MCKuco9NR6JIITiCfzQ= -golang.org/x/text v0.7.0/go.mod h1:mrYo+phRRbMaCq/xk9113O4dZlRixOauAjOtrjsXDZ8= -golang.org/x/text v0.21.0 h1:zyQAAkrwaneQ066sspRyJaG9VNi/YJ1NfzcGB3hZ/qo= -golang.org/x/text v0.21.0/go.mod h1:4IBbMaMmOPCJ8SecivzSH54+73PCFmPWxNTLm+vZkEQ= -golang.org/x/time v0.0.0-20181108054448-85acf8d2951c/go.mod h1:tRJNPiyCQ0inRvYxbN9jk5I+vvW/OXSQhTDSoE431IQ= -golang.org/x/time v0.0.0-20190308202827-9d24e82272b4/go.mod h1:tRJNPiyCQ0inRvYxbN9jk5I+vvW/OXSQhTDSoE431IQ= +golang.org/x/text v0.23.0 h1:D71I7dUrlY+VX0gQShAThNGHFxZ13dGLBHQLVl1mJlY= +golang.org/x/text v0.23.0/go.mod h1:/BLNzu4aZCJ1+kcD0DNRotWKage4q2rGVAg4o22unh4= golang.org/x/time v0.6.0 h1:eTDhh4ZXt5Qf0augr54TN6suAUudPcawVZeIAPU7D4U= golang.org/x/time v0.6.0/go.mod h1:3BpzKBy/shNhVucY/MWOyx10tF3SFh9QdLuxbVysPQM= golang.org/x/tools v0.0.0-20180917221912-90fa682c2a6e/go.mod h1:n7NCudcB/nEzxVGmLbDWY5pfWTLqBcC2KZ6jyYvM4mQ= golang.org/x/tools v0.0.0-20190114222345-bf090417da8b/go.mod h1:n7NCudcB/nEzxVGmLbDWY5pfWTLqBcC2KZ6jyYvM4mQ= golang.org/x/tools v0.0.0-20190226205152-f727befe758c/go.mod h1:9Yl7xja0Znq3iFh3HoIrodX9oNMXvdceNzlUR8zjMvY= golang.org/x/tools v0.0.0-20190311212946-11955173bddd/go.mod h1:LCzVGOaR6xXOjkQ3onu1FJEFr0SW1gC7cKk1uF8kGRs= -golang.org/x/tools v0.0.0-20190312151545-0bb0c0a6e846/go.mod h1:LCzVGOaR6xXOjkQ3onu1FJEFr0SW1gC7cKk1uF8kGRs= -golang.org/x/tools v0.0.0-20190312170243-e65039ee4138/go.mod h1:LCzVGOaR6xXOjkQ3onu1FJEFr0SW1gC7cKk1uF8kGRs= golang.org/x/tools v0.0.0-20190328211700-ab21143f2384/go.mod h1:LCzVGOaR6xXOjkQ3onu1FJEFr0SW1gC7cKk1uF8kGRs= -golang.org/x/tools v0.0.0-20190425150028-36563e24a262/go.mod h1:RgjU9mgBXZiqYHBnxXauZ1Gv1EHHAz9KjViQ78xBX0Q= -golang.org/x/tools v0.0.0-20190506145303-2d16b83fe98c/go.mod h1:RgjU9mgBXZiqYHBnxXauZ1Gv1EHHAz9KjViQ78xBX0Q= golang.org/x/tools v0.0.0-20190524140312-2c0ae7006135/go.mod h1:RgjU9mgBXZiqYHBnxXauZ1Gv1EHHAz9KjViQ78xBX0Q= -golang.org/x/tools v0.0.0-20190606124116-d0a3d012864b/go.mod h1:/rFqwRUd4F7ZHNgwSSTFct+R/Kf4OFW1sUzUTQQTgfc= -golang.org/x/tools v0.0.0-20190621195816-6e04913cbbac/go.mod h1:/rFqwRUd4F7ZHNgwSSTFct+R/Kf4OFW1sUzUTQQTgfc= -golang.org/x/tools v0.0.0-20190628153133-6cdbf07be9d0/go.mod h1:/rFqwRUd4F7ZHNgwSSTFct+R/Kf4OFW1sUzUTQQTgfc= -golang.org/x/tools v0.0.0-20190816200558-6889da9d5479/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= -golang.org/x/tools v0.0.0-20190911174233-4f2ddba30aff/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= -golang.org/x/tools v0.0.0-20191012152004-8de300cfc20a/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= -golang.org/x/tools v0.0.0-20191113191852-77e3bb0ad9e7/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= -golang.org/x/tools v0.0.0-20191115202509-3a792d9c32b2/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= -golang.org/x/tools v0.0.0-20191119224855-298f0cb1881e/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= -golang.org/x/tools v0.0.0-20191125144606-a911d9008d1f/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= -golang.org/x/tools v0.0.0-20191216173652-a0e659d51361/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= -golang.org/x/tools v0.0.0-20191227053925-7b8e75db28f4/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= -golang.org/x/tools v0.0.0-20200130002326-2f3ba24bd6e7/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= -golang.org/x/tools v0.0.0-20200207183749-b753a1ba74fa/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= -golang.org/x/tools v0.0.0-20200212150539-ea181f53ac56/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= -golang.org/x/tools v0.1.12/go.mod h1:hNGJHUnrk76NpqgfD5Aqm5Crs+Hm0VOH/i9J2+nxYbc= -golang.org/x/tools v0.29.0 h1:Xx0h3TtM9rzQpQuR4dKLrdglAmCEN5Oi+P74JdhdzXE= -golang.org/x/tools v0.29.0/go.mod h1:KMQVMRsVxU6nHCFXrBPhDB8XncLNLM0lIy/F14RP588= -golang.org/x/xerrors v0.0.0-20190717185122-a985d3407aa7/go.mod h1:I/5z698sn9Ka8TeJc9MKroUUfqBBauWjQqLJ2OPfmY0= -golang.org/x/xerrors v0.0.0-20191011141410-1b5146add898/go.mod h1:I/5z698sn9Ka8TeJc9MKroUUfqBBauWjQqLJ2OPfmY0= +golang.org/x/tools v0.31.0 h1:0EedkvKDbh+qistFTd0Bcwe/YLh4vHwWEkiI0toFIBU= +golang.org/x/tools v0.31.0/go.mod h1:naFTU+Cev749tSJRXJlna0T3WxKvb1kWEx15xA4SdmQ= golang.org/x/xerrors v0.0.0-20191204190536-9bdfabe68543/go.mod h1:I/5z698sn9Ka8TeJc9MKroUUfqBBauWjQqLJ2OPfmY0= -google.golang.org/api v0.4.0/go.mod h1:8k5glujaEP+g9n7WNsDg8QP6cUVNI86fCNMcbazEtwE= -google.golang.org/api v0.7.0/go.mod h1:WtwebWUNSVBH/HAw79HIFXZNqEvBhG+Ra+ax0hx3E3M= -google.golang.org/api v0.8.0/go.mod h1:o4eAsZoiT+ibD93RtjEohWalFOjRDx6CVaqeizhEnKg= -google.golang.org/api v0.9.0/go.mod h1:o4eAsZoiT+ibD93RtjEohWalFOjRDx6CVaqeizhEnKg= -google.golang.org/api v0.13.0/go.mod h1:iLdEw5Ide6rF15KTC1Kkl0iskquN2gFfn9o9XIsbkAI= -google.golang.org/api v0.14.0/go.mod h1:iLdEw5Ide6rF15KTC1Kkl0iskquN2gFfn9o9XIsbkAI= -google.golang.org/api v0.15.0/go.mod h1:iLdEw5Ide6rF15KTC1Kkl0iskquN2gFfn9o9XIsbkAI= -google.golang.org/api v0.17.0/go.mod h1:BwFmGc8tA3vsd7r/7kR8DY7iEEGSU04BFxCo5jP/sfE= google.golang.org/appengine v1.1.0/go.mod h1:EbEs0AVv82hx2wNQdGPgUI5lhzA/G0D9YwlJXL52JkM= google.golang.org/appengine v1.4.0/go.mod h1:xpcJRLb0r/rnEns0DIKYYv+WjYCduHsrkT7/EB5XEv4= -google.golang.org/appengine v1.5.0/go.mod h1:xpcJRLb0r/rnEns0DIKYYv+WjYCduHsrkT7/EB5XEv4= -google.golang.org/appengine v1.6.1/go.mod h1:i06prIuMbXzDqacNJfV5OdTW448YApPu5ww/cMBSeb0= -google.golang.org/appengine v1.6.5/go.mod h1:8WjMMxjGQR8xUklV/ARdw2HLXBOI7O7uCIDZVag1xfc= google.golang.org/genproto v0.0.0-20180817151627-c66870c02cf8/go.mod h1:JiN7NxoALGmiZfu7CAH4rXhgtRTLTxftemlI0sWmxmc= -google.golang.org/genproto v0.0.0-20190307195333-5fe7a883aa19/go.mod h1:VzzqZJRnGkLBvHegQrXjBqPurQTc5/KpmUdxsrq26oE= -google.golang.org/genproto v0.0.0-20190418145605-e7d98fc518a7/go.mod h1:VzzqZJRnGkLBvHegQrXjBqPurQTc5/KpmUdxsrq26oE= -google.golang.org/genproto v0.0.0-20190425155659-357c62f0e4bb/go.mod h1:VzzqZJRnGkLBvHegQrXjBqPurQTc5/KpmUdxsrq26oE= -google.golang.org/genproto v0.0.0-20190502173448-54afdca5d873/go.mod h1:VzzqZJRnGkLBvHegQrXjBqPurQTc5/KpmUdxsrq26oE= -google.golang.org/genproto v0.0.0-20190801165951-fa694d86fc64/go.mod h1:DMBHOl98Agz4BDEuKkezgsaosCRResVns1a3J2ZsMNc= google.golang.org/genproto v0.0.0-20190819201941-24fa4b261c55/go.mod h1:DMBHOl98Agz4BDEuKkezgsaosCRResVns1a3J2ZsMNc= -google.golang.org/genproto v0.0.0-20190911173649-1774047e7e51/go.mod h1:IbNlFCBrqXvoKpeg0TB2l7cyZUmoaFKYIwrEpbDKLA8= -google.golang.org/genproto v0.0.0-20191108220845-16a3f7862a1a/go.mod h1:n3cpQtvxv34hfy77yVDNjmbRyujviMdxYliBSkLhpCc= -google.golang.org/genproto v0.0.0-20191115194625-c23dd37a84c9/go.mod h1:n3cpQtvxv34hfy77yVDNjmbRyujviMdxYliBSkLhpCc= -google.golang.org/genproto v0.0.0-20191216164720-4f79533eabd1/go.mod h1:n3cpQtvxv34hfy77yVDNjmbRyujviMdxYliBSkLhpCc= -google.golang.org/genproto v0.0.0-20191230161307-f3c370f40bfb/go.mod h1:n3cpQtvxv34hfy77yVDNjmbRyujviMdxYliBSkLhpCc= -google.golang.org/genproto v0.0.0-20200212174721-66ed5ce911ce/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= google.golang.org/genproto v0.0.0-20200526211855-cb27e3aa2013/go.mod h1:NbSheEEYHJ7i3ixzK3sjbqSGDJWnxyFXZblF3eUsNvo= google.golang.org/genproto/googleapis/api v0.0.0-20241104194629-dd2ea8efbc28 h1:M0KvPgPmDZHPlbRbaNU1APr28TvwvvdUPlSv7PUvy8g= google.golang.org/genproto/googleapis/api v0.0.0-20241104194629-dd2ea8efbc28/go.mod h1:dguCy7UOdZhTvLzDyt15+rOrawrpM4q7DD9dQ1P11P4= google.golang.org/genproto/googleapis/rpc v0.0.0-20241104194629-dd2ea8efbc28 h1:XVhgTWWV3kGQlwJHR3upFWZeTsei6Oks1apkZSeonIE= google.golang.org/genproto/googleapis/rpc v0.0.0-20241104194629-dd2ea8efbc28/go.mod h1:GX3210XPVPUjJbTUbvwI8f2IpZDMZuPJWDzDuebbviI= google.golang.org/grpc v1.19.0/go.mod h1:mqu4LbDTu4XGKhr4mRzUsmM4RtVoemTSY81AxZiDr8c= -google.golang.org/grpc v1.20.1/go.mod h1:10oTOabMzJvdu6/UiuZezV6QK5dSlG84ov/aaiqXj38= -google.golang.org/grpc v1.21.1/go.mod h1:oYelfM1adQP15Ek0mdvEgi9Df8B9CZIaU1084ijfRaM= google.golang.org/grpc v1.23.0/go.mod h1:Y5yQAOtifL1yxbo5wqy6BxZv8vAUGQwXBOALyacEbxg= google.golang.org/grpc v1.25.1/go.mod h1:c3i+UQWmh7LiEpx4sFZnkU36qjEYZ0imhYfXVyQciAY= -google.golang.org/grpc v1.26.0/go.mod h1:qbnxyOmOxrQa7FizSgH+ReBfzJrCY1pSN7KXBS8abTk= google.golang.org/grpc v1.27.0/go.mod h1:qbnxyOmOxrQa7FizSgH+ReBfzJrCY1pSN7KXBS8abTk= -google.golang.org/grpc v1.27.1/go.mod h1:qbnxyOmOxrQa7FizSgH+ReBfzJrCY1pSN7KXBS8abTk= google.golang.org/grpc v1.33.2/go.mod h1:JMHMWHQWaTccqQQlmk3MJZS+GWXOdAesneDmEnv2fbc= google.golang.org/grpc v1.67.1 h1:zWnc1Vrcno+lHZCOofnIMvycFcc0QRGIzm9dhnDX68E= google.golang.org/grpc v1.67.1/go.mod h1:1gLDyUQU7CTLJI90u3nXZ9ekeghjeM7pTDZlqFNg2AA= @@ -570,25 +371,15 @@ google.golang.org/protobuf v1.22.0/go.mod h1:EGpADcykh3NcUnDUJcl1+ZksZNG86OlYog2 google.golang.org/protobuf v1.23.0/go.mod h1:EGpADcykh3NcUnDUJcl1+ZksZNG86OlYog2l/sGQquU= google.golang.org/protobuf v1.23.1-0.20200526195155-81db48ad09cc/go.mod h1:EGpADcykh3NcUnDUJcl1+ZksZNG86OlYog2l/sGQquU= google.golang.org/protobuf v1.25.0/go.mod h1:9JNX74DMeImyA3h4bdi1ymwjUzf21/xIlbajtzgsN7c= -google.golang.org/protobuf v1.35.1 h1:m3LfL6/Ca+fqnjnlqQXNpFPABW1UD7mjh8KO2mKFytA= -google.golang.org/protobuf v1.35.1/go.mod h1:9fA7Ob0pmnwhb644+1+CVWFRbNajQ6iRojtC/QF5bRE= +google.golang.org/protobuf v1.36.5 h1:tPhr+woSbjfYvY6/GPufUoYizxw1cF/yFoxJ2fmpwlM= +google.golang.org/protobuf v1.36.5/go.mod h1:9fA7Ob0pmnwhb644+1+CVWFRbNajQ6iRojtC/QF5bRE= gopkg.in/check.v1 v0.0.0-20161208181325-20d25e280405/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0= -gopkg.in/check.v1 v1.0.0-20180628173108-788fd7840127/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0= gopkg.in/check.v1 v1.0.0-20200227125254-8fa46927fb4f/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0= gopkg.in/check.v1 v1.0.0-20201130134442-10cb98267c6c h1:Hei/4ADfdWqJk1ZMxUNpqntNwaWcugrBjAiHlqqRiVk= gopkg.in/check.v1 v1.0.0-20201130134442-10cb98267c6c/go.mod h1:JHkPIbrfpd72SG/EVd6muEfDQjcINNoR0C8j2r3qZ4Q= -gopkg.in/errgo.v2 v2.1.0/go.mod h1:hNsd1EY+bozCKY1Ytp96fpM3vjJbqLJn88ws8XvfDNI= gopkg.in/yaml.v2 v2.2.2/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI= -gopkg.in/yaml.v2 v2.4.0 h1:D8xgwECY7CYvx+Y2n4sBz93Jn9JRvxdiyyo8CTfuKaY= -gopkg.in/yaml.v2 v2.4.0/go.mod h1:RDklbk79AGWmwhnvt/jBztapEOGDOx6ZbXqjP6csGnQ= gopkg.in/yaml.v3 v3.0.0-20200313102051-9f266ea9e77c/go.mod h1:K4uyk7z7BCEPqu6E+C64Yfv1cQ7kz7rIZviUmN+EgEM= gopkg.in/yaml.v3 v3.0.1 h1:fxVm/GzAzEWqLHuvctI91KS9hhNmmWOoWu0XTYJS7CA= gopkg.in/yaml.v3 v3.0.1/go.mod h1:K4uyk7z7BCEPqu6E+C64Yfv1cQ7kz7rIZviUmN+EgEM= honnef.co/go/tools v0.0.0-20190102054323-c2f93a96b099/go.mod h1:rf3lG4BRIbNafJWhAfAdb/ePZxsR/4RtNHQocxwk9r4= -honnef.co/go/tools v0.0.0-20190106161140-3f1c8253044a/go.mod h1:rf3lG4BRIbNafJWhAfAdb/ePZxsR/4RtNHQocxwk9r4= -honnef.co/go/tools v0.0.0-20190418001031-e561f6794a2a/go.mod h1:rf3lG4BRIbNafJWhAfAdb/ePZxsR/4RtNHQocxwk9r4= honnef.co/go/tools v0.0.0-20190523083050-ea95bdfd59fc/go.mod h1:rf3lG4BRIbNafJWhAfAdb/ePZxsR/4RtNHQocxwk9r4= -honnef.co/go/tools v0.0.1-2019.2.3/go.mod h1:a3bituU0lyd329TUQxRnasdCoJDkEUEAqEt0JzvZhAg= -rsc.io/binaryregexp v0.2.0/go.mod h1:qTv7/COck+e2FymRvadv62gMdZztPaShugOCi3I+8D8= -rsc.io/quote/v3 v3.1.0/go.mod h1:yEA65RcK8LyAZtP9Kv3t0HmxON59tX3rD+tICJqUlj0= -rsc.io/sampler v1.3.0/go.mod h1:T1hPZKmBbMNahiBKFy5HrXp6adAjACjK9JXDnKaTXpA= diff --git a/pkg/cowutils/cowutils.go b/server/pkg/cowutils/cowutils.go similarity index 100% rename from pkg/cowutils/cowutils.go rename to server/pkg/cowutils/cowutils.go diff --git a/pkg/cowutils/dedupe.go b/server/pkg/cowutils/dedupe.go similarity index 100% rename from pkg/cowutils/dedupe.go rename to server/pkg/cowutils/dedupe.go diff --git a/pkg/cowutils/reflink.go b/server/pkg/cowutils/reflink.go similarity index 100% rename from pkg/cowutils/reflink.go rename to server/pkg/cowutils/reflink.go diff --git a/pkg/cowutils/reflink_unix.go b/server/pkg/cowutils/reflink_unix.go similarity index 100% rename from pkg/cowutils/reflink_unix.go rename to server/pkg/cowutils/reflink_unix.go diff --git a/pkg/cowutils/writer.go b/server/pkg/cowutils/writer.go similarity index 100% rename from pkg/cowutils/writer.go rename to server/pkg/cowutils/writer.go diff --git a/pkg/ctxbilly/change.go b/server/pkg/ctxbilly/change.go similarity index 100% rename from pkg/ctxbilly/change.go rename to server/pkg/ctxbilly/change.go diff --git a/pkg/ctxbilly/fs.go b/server/pkg/ctxbilly/fs.go similarity index 100% rename from pkg/ctxbilly/fs.go rename to server/pkg/ctxbilly/fs.go diff --git a/pkg/ctxbilly/mem.go b/server/pkg/ctxbilly/mem.go similarity index 100% rename from pkg/ctxbilly/mem.go rename to server/pkg/ctxbilly/mem.go diff --git a/pkg/ctxbilly/uring.go b/server/pkg/ctxbilly/uring.go similarity index 100% rename from pkg/ctxbilly/uring.go rename to server/pkg/ctxbilly/uring.go diff --git a/pkg/go-nfs/.github/dependabot.yml b/server/pkg/go-nfs/.github/dependabot.yml similarity index 100% rename from pkg/go-nfs/.github/dependabot.yml rename to server/pkg/go-nfs/.github/dependabot.yml diff --git a/pkg/go-nfs/.github/workflows/codeql-analysis.yml b/server/pkg/go-nfs/.github/workflows/codeql-analysis.yml similarity index 100% rename from pkg/go-nfs/.github/workflows/codeql-analysis.yml rename to server/pkg/go-nfs/.github/workflows/codeql-analysis.yml diff --git a/pkg/go-nfs/.github/workflows/go.yml b/server/pkg/go-nfs/.github/workflows/go.yml similarity index 100% rename from pkg/go-nfs/.github/workflows/go.yml rename to server/pkg/go-nfs/.github/workflows/go.yml diff --git a/pkg/go-nfs/CONTRIBUTING.md b/server/pkg/go-nfs/CONTRIBUTING.md similarity index 100% rename from pkg/go-nfs/CONTRIBUTING.md rename to server/pkg/go-nfs/CONTRIBUTING.md diff --git a/pkg/go-nfs/LICENSE b/server/pkg/go-nfs/LICENSE similarity index 100% rename from pkg/go-nfs/LICENSE rename to server/pkg/go-nfs/LICENSE diff --git a/pkg/go-nfs/README.md b/server/pkg/go-nfs/README.md similarity index 100% rename from pkg/go-nfs/README.md rename to server/pkg/go-nfs/README.md diff --git a/pkg/go-nfs/SECURITY.md b/server/pkg/go-nfs/SECURITY.md similarity index 100% rename from pkg/go-nfs/SECURITY.md rename to server/pkg/go-nfs/SECURITY.md diff --git a/pkg/go-nfs/capability_check.go b/server/pkg/go-nfs/capability_check.go similarity index 100% rename from pkg/go-nfs/capability_check.go rename to server/pkg/go-nfs/capability_check.go diff --git a/pkg/go-nfs/conn.go b/server/pkg/go-nfs/conn.go similarity index 98% rename from pkg/go-nfs/conn.go rename to server/pkg/go-nfs/conn.go index b29277d..8b4d49d 100644 --- a/pkg/go-nfs/conn.go +++ b/server/pkg/go-nfs/conn.go @@ -44,7 +44,7 @@ type conn struct { net.Conn } -var tracer = otel.Tracer("git.kmsign.ru/royalcat/tstor/pkg/go-nfs") +var tracer = otel.Tracer("git.kmsign.ru/royalcat/tstor/server/pkg/go-nfs") func (c *conn) serve() { ctx := context.Background() // TODO implement correct timeout on serve side diff --git a/pkg/go-nfs/errors.go b/server/pkg/go-nfs/errors.go similarity index 100% rename from pkg/go-nfs/errors.go rename to server/pkg/go-nfs/errors.go diff --git a/pkg/go-nfs/example/helloworld/main.go b/server/pkg/go-nfs/example/helloworld/main.go similarity index 86% rename from pkg/go-nfs/example/helloworld/main.go rename to server/pkg/go-nfs/example/helloworld/main.go index 87f2d98..bd020a8 100644 --- a/pkg/go-nfs/example/helloworld/main.go +++ b/server/pkg/go-nfs/example/helloworld/main.go @@ -8,9 +8,9 @@ import ( "github.com/go-git/go-billy/v5" "github.com/go-git/go-billy/v5/memfs" - nfs "git.kmsign.ru/royalcat/tstor/pkg/go-nfs" - "git.kmsign.ru/royalcat/tstor/pkg/go-nfs/helpers" - nfshelper "git.kmsign.ru/royalcat/tstor/pkg/go-nfs/helpers" + nfs "git.kmsign.ru/royalcat/tstor/server/pkg/go-nfs" + "git.kmsign.ru/royalcat/tstor/server/pkg/go-nfs/helpers" + nfshelper "git.kmsign.ru/royalcat/tstor/server/pkg/go-nfs/helpers" ) // ROFS is an intercepter for the filesystem indicating it should diff --git a/pkg/go-nfs/example/osnfs/changeos.go b/server/pkg/go-nfs/example/osnfs/changeos.go similarity index 100% rename from pkg/go-nfs/example/osnfs/changeos.go rename to server/pkg/go-nfs/example/osnfs/changeos.go diff --git a/pkg/go-nfs/example/osnfs/changeos_unix.go b/server/pkg/go-nfs/example/osnfs/changeos_unix.go similarity index 100% rename from pkg/go-nfs/example/osnfs/changeos_unix.go rename to server/pkg/go-nfs/example/osnfs/changeos_unix.go diff --git a/pkg/go-nfs/example/osnfs/main.go b/server/pkg/go-nfs/example/osnfs/main.go similarity index 79% rename from pkg/go-nfs/example/osnfs/main.go rename to server/pkg/go-nfs/example/osnfs/main.go index feadccc..563a3f6 100644 --- a/pkg/go-nfs/example/osnfs/main.go +++ b/server/pkg/go-nfs/example/osnfs/main.go @@ -5,9 +5,9 @@ import ( "net" "os" - nfs "git.kmsign.ru/royalcat/tstor/pkg/go-nfs" - "git.kmsign.ru/royalcat/tstor/pkg/go-nfs/helpers" - nfshelper "git.kmsign.ru/royalcat/tstor/pkg/go-nfs/helpers" + nfs "git.kmsign.ru/royalcat/tstor/server/pkg/go-nfs" + "git.kmsign.ru/royalcat/tstor/server/pkg/go-nfs/helpers" + nfshelper "git.kmsign.ru/royalcat/tstor/server/pkg/go-nfs/helpers" osfs "github.com/go-git/go-billy/v5/osfs" ) diff --git a/pkg/go-nfs/example/osview/main.go b/server/pkg/go-nfs/example/osview/main.go similarity index 78% rename from pkg/go-nfs/example/osview/main.go rename to server/pkg/go-nfs/example/osview/main.go index 355df17..fbbba0f 100644 --- a/pkg/go-nfs/example/osview/main.go +++ b/server/pkg/go-nfs/example/osview/main.go @@ -7,9 +7,9 @@ import ( "github.com/willscott/memphis" - nfs "git.kmsign.ru/royalcat/tstor/pkg/go-nfs" - "git.kmsign.ru/royalcat/tstor/pkg/go-nfs/helpers" - nfshelper "git.kmsign.ru/royalcat/tstor/pkg/go-nfs/helpers" + nfs "git.kmsign.ru/royalcat/tstor/server/pkg/go-nfs" + "git.kmsign.ru/royalcat/tstor/server/pkg/go-nfs/helpers" + nfshelper "git.kmsign.ru/royalcat/tstor/server/pkg/go-nfs/helpers" ) func main() { diff --git a/pkg/go-nfs/file.go b/server/pkg/go-nfs/file.go similarity index 99% rename from pkg/go-nfs/file.go rename to server/pkg/go-nfs/file.go index 6bdc2a3..ae0617f 100644 --- a/pkg/go-nfs/file.go +++ b/server/pkg/go-nfs/file.go @@ -9,7 +9,7 @@ import ( "os" "time" - "git.kmsign.ru/royalcat/tstor/pkg/go-nfs/file" + "git.kmsign.ru/royalcat/tstor/server/pkg/go-nfs/file" "github.com/willscott/go-nfs-client/nfs/xdr" ) diff --git a/pkg/go-nfs/file/file.go b/server/pkg/go-nfs/file/file.go similarity index 100% rename from pkg/go-nfs/file/file.go rename to server/pkg/go-nfs/file/file.go diff --git a/pkg/go-nfs/file/file_unix.go b/server/pkg/go-nfs/file/file_unix.go similarity index 100% rename from pkg/go-nfs/file/file_unix.go rename to server/pkg/go-nfs/file/file_unix.go diff --git a/pkg/go-nfs/file/file_windows.go b/server/pkg/go-nfs/file/file_windows.go similarity index 100% rename from pkg/go-nfs/file/file_windows.go rename to server/pkg/go-nfs/file/file_windows.go diff --git a/pkg/go-nfs/filesystem.go b/server/pkg/go-nfs/filesystem.go similarity index 100% rename from pkg/go-nfs/filesystem.go rename to server/pkg/go-nfs/filesystem.go diff --git a/pkg/go-nfs/handler.go b/server/pkg/go-nfs/handler.go similarity index 97% rename from pkg/go-nfs/handler.go rename to server/pkg/go-nfs/handler.go index 6bfb0cd..feca7a4 100644 --- a/pkg/go-nfs/handler.go +++ b/server/pkg/go-nfs/handler.go @@ -5,7 +5,7 @@ import ( "io/fs" "net" - "git.kmsign.ru/royalcat/tstor/pkg/ctxbilly" + "git.kmsign.ru/royalcat/tstor/server/pkg/ctxbilly" ) // Handler represents the interface of the file system / vfs being exposed over NFS diff --git a/pkg/go-nfs/helpers/billlyfs.go b/server/pkg/go-nfs/helpers/billlyfs.go similarity index 98% rename from pkg/go-nfs/helpers/billlyfs.go rename to server/pkg/go-nfs/helpers/billlyfs.go index 3dd3c2c..d5d48f7 100644 --- a/pkg/go-nfs/helpers/billlyfs.go +++ b/server/pkg/go-nfs/helpers/billlyfs.go @@ -4,7 +4,7 @@ import ( "context" "io/fs" - "git.kmsign.ru/royalcat/tstor/pkg/go-nfs" + "git.kmsign.ru/royalcat/tstor/server/pkg/go-nfs" "github.com/go-git/go-billy/v5" ) diff --git a/pkg/go-nfs/helpers/cachinghandler.go b/server/pkg/go-nfs/helpers/cachinghandler.go similarity index 99% rename from pkg/go-nfs/helpers/cachinghandler.go rename to server/pkg/go-nfs/helpers/cachinghandler.go index 0604863..f23d7b6 100644 --- a/pkg/go-nfs/helpers/cachinghandler.go +++ b/server/pkg/go-nfs/helpers/cachinghandler.go @@ -7,7 +7,7 @@ import ( "io/fs" "reflect" - "git.kmsign.ru/royalcat/tstor/pkg/go-nfs" + "git.kmsign.ru/royalcat/tstor/server/pkg/go-nfs" "github.com/google/uuid" lru "github.com/hashicorp/golang-lru/v2" diff --git a/pkg/go-nfs/helpers/memfs/memfs.go b/server/pkg/go-nfs/helpers/memfs/memfs.go similarity index 100% rename from pkg/go-nfs/helpers/memfs/memfs.go rename to server/pkg/go-nfs/helpers/memfs/memfs.go diff --git a/pkg/go-nfs/helpers/memfs/storage.go b/server/pkg/go-nfs/helpers/memfs/storage.go similarity index 100% rename from pkg/go-nfs/helpers/memfs/storage.go rename to server/pkg/go-nfs/helpers/memfs/storage.go diff --git a/pkg/go-nfs/helpers/nullauthhandler.go b/server/pkg/go-nfs/helpers/nullauthhandler.go similarity index 93% rename from pkg/go-nfs/helpers/nullauthhandler.go rename to server/pkg/go-nfs/helpers/nullauthhandler.go index 9b80458..e31846c 100644 --- a/pkg/go-nfs/helpers/nullauthhandler.go +++ b/server/pkg/go-nfs/helpers/nullauthhandler.go @@ -4,8 +4,8 @@ import ( "context" "net" - "git.kmsign.ru/royalcat/tstor/pkg/ctxbilly" - nfs "git.kmsign.ru/royalcat/tstor/pkg/go-nfs" + "git.kmsign.ru/royalcat/tstor/server/pkg/ctxbilly" + nfs "git.kmsign.ru/royalcat/tstor/server/pkg/go-nfs" ) // NewNullAuthHandler creates a handler for the provided filesystem diff --git a/pkg/go-nfs/log.go b/server/pkg/go-nfs/log.go similarity index 100% rename from pkg/go-nfs/log.go rename to server/pkg/go-nfs/log.go diff --git a/pkg/go-nfs/mount.go b/server/pkg/go-nfs/mount.go similarity index 100% rename from pkg/go-nfs/mount.go rename to server/pkg/go-nfs/mount.go diff --git a/pkg/go-nfs/mountinterface.go b/server/pkg/go-nfs/mountinterface.go similarity index 100% rename from pkg/go-nfs/mountinterface.go rename to server/pkg/go-nfs/mountinterface.go diff --git a/pkg/go-nfs/nfs.go b/server/pkg/go-nfs/nfs.go similarity index 100% rename from pkg/go-nfs/nfs.go rename to server/pkg/go-nfs/nfs.go diff --git a/pkg/go-nfs/nfs_onaccess.go b/server/pkg/go-nfs/nfs_onaccess.go similarity index 100% rename from pkg/go-nfs/nfs_onaccess.go rename to server/pkg/go-nfs/nfs_onaccess.go diff --git a/pkg/go-nfs/nfs_oncommit.go b/server/pkg/go-nfs/nfs_oncommit.go similarity index 100% rename from pkg/go-nfs/nfs_oncommit.go rename to server/pkg/go-nfs/nfs_oncommit.go diff --git a/pkg/go-nfs/nfs_oncreate.go b/server/pkg/go-nfs/nfs_oncreate.go similarity index 100% rename from pkg/go-nfs/nfs_oncreate.go rename to server/pkg/go-nfs/nfs_oncreate.go diff --git a/pkg/go-nfs/nfs_onfsinfo.go b/server/pkg/go-nfs/nfs_onfsinfo.go similarity index 100% rename from pkg/go-nfs/nfs_onfsinfo.go rename to server/pkg/go-nfs/nfs_onfsinfo.go diff --git a/pkg/go-nfs/nfs_onfsstat.go b/server/pkg/go-nfs/nfs_onfsstat.go similarity index 100% rename from pkg/go-nfs/nfs_onfsstat.go rename to server/pkg/go-nfs/nfs_onfsstat.go diff --git a/pkg/go-nfs/nfs_ongetattr.go b/server/pkg/go-nfs/nfs_ongetattr.go similarity index 100% rename from pkg/go-nfs/nfs_ongetattr.go rename to server/pkg/go-nfs/nfs_ongetattr.go diff --git a/pkg/go-nfs/nfs_onlink.go b/server/pkg/go-nfs/nfs_onlink.go similarity index 100% rename from pkg/go-nfs/nfs_onlink.go rename to server/pkg/go-nfs/nfs_onlink.go diff --git a/pkg/go-nfs/nfs_onlookup.go b/server/pkg/go-nfs/nfs_onlookup.go similarity index 100% rename from pkg/go-nfs/nfs_onlookup.go rename to server/pkg/go-nfs/nfs_onlookup.go diff --git a/pkg/go-nfs/nfs_onmkdir.go b/server/pkg/go-nfs/nfs_onmkdir.go similarity index 100% rename from pkg/go-nfs/nfs_onmkdir.go rename to server/pkg/go-nfs/nfs_onmkdir.go diff --git a/pkg/go-nfs/nfs_onmknod.go b/server/pkg/go-nfs/nfs_onmknod.go similarity index 100% rename from pkg/go-nfs/nfs_onmknod.go rename to server/pkg/go-nfs/nfs_onmknod.go diff --git a/pkg/go-nfs/nfs_onpathconf.go b/server/pkg/go-nfs/nfs_onpathconf.go similarity index 100% rename from pkg/go-nfs/nfs_onpathconf.go rename to server/pkg/go-nfs/nfs_onpathconf.go diff --git a/pkg/go-nfs/nfs_onread.go b/server/pkg/go-nfs/nfs_onread.go similarity index 100% rename from pkg/go-nfs/nfs_onread.go rename to server/pkg/go-nfs/nfs_onread.go diff --git a/pkg/go-nfs/nfs_onreaddir.go b/server/pkg/go-nfs/nfs_onreaddir.go similarity index 100% rename from pkg/go-nfs/nfs_onreaddir.go rename to server/pkg/go-nfs/nfs_onreaddir.go diff --git a/pkg/go-nfs/nfs_onreaddirplus.go b/server/pkg/go-nfs/nfs_onreaddirplus.go similarity index 100% rename from pkg/go-nfs/nfs_onreaddirplus.go rename to server/pkg/go-nfs/nfs_onreaddirplus.go diff --git a/pkg/go-nfs/nfs_onreadlink.go b/server/pkg/go-nfs/nfs_onreadlink.go similarity index 100% rename from pkg/go-nfs/nfs_onreadlink.go rename to server/pkg/go-nfs/nfs_onreadlink.go diff --git a/pkg/go-nfs/nfs_onremove.go b/server/pkg/go-nfs/nfs_onremove.go similarity index 100% rename from pkg/go-nfs/nfs_onremove.go rename to server/pkg/go-nfs/nfs_onremove.go diff --git a/pkg/go-nfs/nfs_onrename.go b/server/pkg/go-nfs/nfs_onrename.go similarity index 100% rename from pkg/go-nfs/nfs_onrename.go rename to server/pkg/go-nfs/nfs_onrename.go diff --git a/pkg/go-nfs/nfs_onrmdir.go b/server/pkg/go-nfs/nfs_onrmdir.go similarity index 100% rename from pkg/go-nfs/nfs_onrmdir.go rename to server/pkg/go-nfs/nfs_onrmdir.go diff --git a/pkg/go-nfs/nfs_onsetattr.go b/server/pkg/go-nfs/nfs_onsetattr.go similarity index 100% rename from pkg/go-nfs/nfs_onsetattr.go rename to server/pkg/go-nfs/nfs_onsetattr.go diff --git a/pkg/go-nfs/nfs_onsymlink.go b/server/pkg/go-nfs/nfs_onsymlink.go similarity index 100% rename from pkg/go-nfs/nfs_onsymlink.go rename to server/pkg/go-nfs/nfs_onsymlink.go diff --git a/pkg/go-nfs/nfs_onwrite.go b/server/pkg/go-nfs/nfs_onwrite.go similarity index 100% rename from pkg/go-nfs/nfs_onwrite.go rename to server/pkg/go-nfs/nfs_onwrite.go diff --git a/pkg/go-nfs/nfs_test.go b/server/pkg/go-nfs/nfs_test.go similarity index 97% rename from pkg/go-nfs/nfs_test.go rename to server/pkg/go-nfs/nfs_test.go index a63c297..31cd604 100644 --- a/pkg/go-nfs/nfs_test.go +++ b/server/pkg/go-nfs/nfs_test.go @@ -10,9 +10,9 @@ import ( "sort" "testing" - nfs "git.kmsign.ru/royalcat/tstor/pkg/go-nfs" - "git.kmsign.ru/royalcat/tstor/pkg/go-nfs/helpers" - "git.kmsign.ru/royalcat/tstor/pkg/go-nfs/helpers/memfs" + nfs "git.kmsign.ru/royalcat/tstor/server/pkg/go-nfs" + "git.kmsign.ru/royalcat/tstor/server/pkg/go-nfs/helpers" + "git.kmsign.ru/royalcat/tstor/server/pkg/go-nfs/helpers/memfs" nfsc "github.com/willscott/go-nfs-client/nfs" rpc "github.com/willscott/go-nfs-client/nfs/rpc" diff --git a/pkg/go-nfs/nfsinterface.go b/server/pkg/go-nfs/nfsinterface.go similarity index 100% rename from pkg/go-nfs/nfsinterface.go rename to server/pkg/go-nfs/nfsinterface.go diff --git a/pkg/go-nfs/server.go b/server/pkg/go-nfs/server.go similarity index 100% rename from pkg/go-nfs/server.go rename to server/pkg/go-nfs/server.go diff --git a/pkg/go-nfs/time.go b/server/pkg/go-nfs/time.go similarity index 100% rename from pkg/go-nfs/time.go rename to server/pkg/go-nfs/time.go diff --git a/pkg/ioutils/cachereader.go b/server/pkg/ioutils/cachereader.go similarity index 100% rename from pkg/ioutils/cachereader.go rename to server/pkg/ioutils/cachereader.go diff --git a/pkg/ioutils/disk.go b/server/pkg/ioutils/disk.go similarity index 100% rename from pkg/ioutils/disk.go rename to server/pkg/ioutils/disk.go diff --git a/pkg/ioutils/filebuffer.go b/server/pkg/ioutils/filebuffer.go similarity index 100% rename from pkg/ioutils/filebuffer.go rename to server/pkg/ioutils/filebuffer.go diff --git a/pkg/ioutils/readerat.go b/server/pkg/ioutils/readerat.go similarity index 100% rename from pkg/ioutils/readerat.go rename to server/pkg/ioutils/readerat.go diff --git a/pkg/ioutils/seeker.go b/server/pkg/ioutils/seeker.go similarity index 100% rename from pkg/ioutils/seeker.go rename to server/pkg/ioutils/seeker.go diff --git a/pkg/kvsingle/single.go b/server/pkg/kvsingle/single.go similarity index 100% rename from pkg/kvsingle/single.go rename to server/pkg/kvsingle/single.go diff --git a/pkg/kvtrace/kvmetrics.go b/server/pkg/kvtrace/kvmetrics.go similarity index 100% rename from pkg/kvtrace/kvmetrics.go rename to server/pkg/kvtrace/kvmetrics.go diff --git a/pkg/maxcache/cache.go b/server/pkg/maxcache/cache.go similarity index 100% rename from pkg/maxcache/cache.go rename to server/pkg/maxcache/cache.go diff --git a/pkg/maxcache/cache_test.go b/server/pkg/maxcache/cache_test.go similarity index 100% rename from pkg/maxcache/cache_test.go rename to server/pkg/maxcache/cache_test.go diff --git a/pkg/rlog/rlog.go b/server/pkg/rlog/rlog.go similarity index 100% rename from pkg/rlog/rlog.go rename to server/pkg/rlog/rlog.go diff --git a/pkg/slicesutils/intersections.go b/server/pkg/slicesutils/intersections.go similarity index 100% rename from pkg/slicesutils/intersections.go rename to server/pkg/slicesutils/intersections.go diff --git a/server/pkg/uring/file.go b/server/pkg/uring/file.go new file mode 100644 index 0000000..3e4e8d2 --- /dev/null +++ b/server/pkg/uring/file.go @@ -0,0 +1,112 @@ +package uring + +// import ( +// "context" +// "os" + +// "github.com/iceber/iouring-go" +// "go.opentelemetry.io/otel" +// "go.opentelemetry.io/otel/attribute" +// "go.opentelemetry.io/otel/trace" +// ) + +// var tracer = otel.Tracer("github.com/royalcat/tstor/pkg/uring") + +// type FS struct { +// ur *iouring.IOURing +// } + +// func NewFS(ur *iouring.IOURing) *FS { +// return &FS{ +// ur: ur, +// } +// } + +// func (o *FS) OpenFile(ctx context.Context, name string) (File, error) { +// ctx, span := tracer.Start(ctx, "uring.FS.OpenFile", trace.WithAttributes(attribute.String("name", name))) +// defer span.End() + +// f, err := os.Open(name) +// if err != nil { +// return File{}, err +// } + +// return File{ +// ur: o.ur, +// f: f, +// }, nil +// } + +// func NewFile(ur *iouring.IOURing, f *os.File) *File { +// return &File{ +// ur: ur, +// f: f, +// } +// } + +// type File struct { +// ur *iouring.IOURing +// f *os.File +// } + +// func (o *File) pread(ctx context.Context, b []byte, off uint64) (int, error) { +// ctx, span := tracer.Start(ctx, "uring.File.pread", trace.WithAttributes(attribute.Int("size", len(b)))) +// defer span.End() + +// req, err := o.ur.Pread(o.f, b, off, nil) +// if err != nil { +// return 0, err +// } + +// select { +// case <-req.Done(): +// return req.GetRes() +// case <-ctx.Done(): +// if _, err := req.Cancel(); err != nil { +// return 0, err +// } +// <-req.Done() +// return 0, ctx.Err() +// } +// } + +// func (f *File) ReadAt(ctx context.Context, b []byte, off int64) (n int, err error) { +// ctx, span := tracer.Start(ctx, "uring.File.ReadAt", trace.WithAttributes(attribute.Int("size", len(b)))) +// defer span.End() + +// return f.f.ReadAt(b, off) + +// for len(b) > 0 { +// if ctx.Err() != nil { +// err = ctx.Err() +// break +// } + +// m, e := f.pread(ctx, b, uint64(off)) +// if e != nil { +// err = e +// break +// } +// n += m +// b = b[m:] +// off += int64(m) +// } + +// return n, err +// } + +// func (o *File) Close(ctx context.Context) error { +// return o.f.Close() +// } + +// func waitRequest(ctx context.Context, req iouring.Request) (int, error) { +// select { +// case <-req.Done(): +// return req.GetRes() +// case <-ctx.Done(): +// if _, err := req.Cancel(); err != nil { +// return 0, err +// } +// return 0, ctx.Err() +// } +// } diff --git a/pkg/uuid/uuid.go b/server/pkg/uuid/uuid.go similarity index 100% rename from pkg/uuid/uuid.go rename to server/pkg/uuid/uuid.go diff --git a/pkg/ytdlp/client.go b/server/pkg/ytdlp/client.go similarity index 100% rename from pkg/ytdlp/client.go rename to server/pkg/ytdlp/client.go diff --git a/pkg/ytdlp/download.go b/server/pkg/ytdlp/download.go similarity index 100% rename from pkg/ytdlp/download.go rename to server/pkg/ytdlp/download.go diff --git a/pkg/ytdlp/download_test.go b/server/pkg/ytdlp/download_test.go similarity index 91% rename from pkg/ytdlp/download_test.go rename to server/pkg/ytdlp/download_test.go index 4fe5be3..35d81ed 100644 --- a/pkg/ytdlp/download_test.go +++ b/server/pkg/ytdlp/download_test.go @@ -6,7 +6,7 @@ import ( "io" "testing" - "git.kmsign.ru/royalcat/tstor/pkg/ytdlp" + "git.kmsign.ru/royalcat/tstor/server/pkg/ytdlp" "github.com/royalcat/ctxprogress" "github.com/stretchr/testify/require" ) diff --git a/pkg/ytdlp/info.go b/server/pkg/ytdlp/info.go similarity index 100% rename from pkg/ytdlp/info.go rename to server/pkg/ytdlp/info.go diff --git a/pkg/ytdlp/model.go b/server/pkg/ytdlp/model.go similarity index 100% rename from pkg/ytdlp/model.go rename to server/pkg/ytdlp/model.go diff --git a/pkg/ytdlp/playlist.go b/server/pkg/ytdlp/playlist.go similarity index 100% rename from pkg/ytdlp/playlist.go rename to server/pkg/ytdlp/playlist.go diff --git a/pkg/ytdlp/playlist_test.go b/server/pkg/ytdlp/playlist_test.go similarity index 92% rename from pkg/ytdlp/playlist_test.go rename to server/pkg/ytdlp/playlist_test.go index f0cba2a..9814137 100644 --- a/pkg/ytdlp/playlist_test.go +++ b/server/pkg/ytdlp/playlist_test.go @@ -5,7 +5,7 @@ import ( "errors" "testing" - "git.kmsign.ru/royalcat/tstor/pkg/ytdlp" + "git.kmsign.ru/royalcat/tstor/server/pkg/ytdlp" "github.com/stretchr/testify/require" ) diff --git a/src/config/default.go b/server/src/config/default.go similarity index 74% rename from src/config/default.go rename to server/src/config/default.go index 1095596..ddaaff0 100644 --- a/src/config/default.go +++ b/server/src/config/default.go @@ -1,7 +1,7 @@ package config var defaultConfig = Settings{ - SourceDir: "./data", + SourceDir: "/data/source", WebUi: WebUi{ Port: 4444, IP: "0.0.0.0", @@ -23,13 +23,7 @@ var defaultConfig = Settings{ NFS: NFS{ Enabled: false, Port: 8122, - CachePath: "./nfs-cache", + CachePath: "/tmp/nfs-cache", }, }, - - Log: Log{ - Path: "/tmp/tstor", - MaxBackups: 2, - MaxSize: 50, - }, } diff --git a/src/config/load.go b/server/src/config/load.go similarity index 85% rename from src/config/load.go rename to server/src/config/load.go index f6bfbda..a5b8b47 100644 --- a/src/config/load.go +++ b/server/src/config/load.go @@ -16,6 +16,7 @@ var k = koanf.New(".") var Config = defaultConfig func Load(path string) (*Settings, *koanf.Koanf, error) { + // Load default config values err := k.Load(structs.Provider(defaultConfig, "koanf"), nil) if err != nil { return nil, nil, err @@ -42,15 +43,6 @@ func Load(path string) (*Settings, *koanf.Koanf, error) { return nil, nil, err } - data, err := k.Marshal(yaml.Parser()) - if err != nil { - return nil, nil, err - } - err = os.WriteFile(path, data, os.ModePerm) - if err != nil { - return nil, nil, err - } - conf := Settings{} err = k.Unmarshal("", &conf) if err != nil { diff --git a/src/config/model.go b/server/src/config/model.go similarity index 94% rename from src/config/model.go rename to server/src/config/model.go index c0a88e4..75985fc 100644 --- a/src/config/model.go +++ b/server/src/config/model.go @@ -4,17 +4,20 @@ package config type Settings struct { WebUi WebUi `koanf:"webUi"` - DaemonsPluginsDir string `koanf:"daemons_plugins_dir"` - Daemons any `koanf:"daemons"` + Plugins []Plugin `koanf:"plugins"` Mounts Mounts `koanf:"mounts"` - Log Log `koanf:"log"` SourceDir string `koanf:"source_dir"` OtelHttp string `koanf:"otel_http"` } +type Plugin struct { + Name string `koanf:"name"` + Config any `koanf:"config"` +} + type WebUi struct { Port int `koanf:"port"` IP string `koanf:"ip"` diff --git a/src/daemon/daemon.go b/server/src/daemon/daemon.go similarity index 87% rename from src/daemon/daemon.go rename to server/src/daemon/daemon.go index 7e06ce4..eabde3c 100644 --- a/src/daemon/daemon.go +++ b/server/src/daemon/daemon.go @@ -3,7 +3,7 @@ package daemon import ( "context" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" "github.com/knadh/koanf/v2" ) diff --git a/src/daemon/hostedfs.go b/server/src/daemon/hostedfs.go similarity index 94% rename from src/daemon/hostedfs.go rename to server/src/daemon/hostedfs.go index dc80163..5085941 100644 --- a/src/daemon/hostedfs.go +++ b/server/src/daemon/hostedfs.go @@ -1,7 +1,7 @@ package daemon import ( - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" ) func NewHostedFS(sourceFS vfs.Filesystem, daemons []Daemon) (vfs.Filesystem, error) { diff --git a/server/src/daemon/plugin.go b/server/src/daemon/plugin.go new file mode 100644 index 0000000..b291ae7 --- /dev/null +++ b/server/src/daemon/plugin.go @@ -0,0 +1,6 @@ +package daemon + +type Plugin struct { + Name string + DaemonConstructor DaemonConstructor +} diff --git a/src/delivery/graphql/generated.go b/server/src/delivery/graphql/generated.go similarity index 88% rename from src/delivery/graphql/generated.go rename to server/src/delivery/graphql/generated.go index fe91a39..26fde42 100644 --- a/src/delivery/graphql/generated.go +++ b/server/src/delivery/graphql/generated.go @@ -13,7 +13,7 @@ import ( "sync/atomic" "time" - "git.kmsign.ru/royalcat/tstor/src/delivery/graphql/model" + "git.kmsign.ru/royalcat/tstor/server/src/delivery/graphql/model" "github.com/99designs/gqlgen/graphql" "github.com/99designs/gqlgen/graphql/introspection" gqlparser "github.com/vektah/gqlparser/v2" @@ -51,9 +51,8 @@ type ResolverRoot interface { } type DirectiveRoot struct { - OneOf func(ctx context.Context, obj interface{}, next graphql.Resolver) (res interface{}, err error) - Resolver func(ctx context.Context, obj interface{}, next graphql.Resolver) (res interface{}, err error) - Stream func(ctx context.Context, obj interface{}, next graphql.Resolver) (res interface{}, err error) + Resolver func(ctx context.Context, obj any, next graphql.Resolver) (res any, err error) + Stream func(ctx context.Context, obj any, next graphql.Resolver) (res any, err error) } type ComplexityRoot struct { @@ -63,6 +62,11 @@ type ComplexityRoot struct { UploadFile func(childComplexity int, dir string, file graphql.Upload) int } + Plugin struct { + EndpountSubPath func(childComplexity int) int + Name func(childComplexity int) int + } + QBitCleanupResponse struct { Count func(childComplexity int) int Hashes func(childComplexity int) int @@ -89,8 +93,8 @@ type ComplexityRoot struct { } Query struct { - FsEntry func(childComplexity int, path string) int - QbitTorrentDaemon func(childComplexity int) int + FsEntry func(childComplexity int, path string) int + Plugins func(childComplexity int) int } ResolverFS struct { @@ -138,7 +142,7 @@ type QTorrentResolver interface { SourceFiles(ctx context.Context, obj *model.QTorrent) ([]string, error) } type QueryResolver interface { - QbitTorrentDaemon(ctx context.Context) (*model.QBitTorrentDaemonQuery, error) + Plugins(ctx context.Context) ([]*model.Plugin, error) FsEntry(ctx context.Context, path string) (model.FsEntry, error) } type ResolverFSResolver interface { @@ -165,7 +169,7 @@ func (e *executableSchema) Schema() *ast.Schema { return parsedSchema } -func (e *executableSchema) Complexity(typeName, field string, childComplexity int, rawArgs map[string]interface{}) (int, bool) { +func (e *executableSchema) Complexity(typeName, field string, childComplexity int, rawArgs map[string]any) (int, bool) { ec := executionContext{nil, e, 0, 0, nil} _ = ec switch typeName + "." + field { @@ -196,6 +200,20 @@ func (e *executableSchema) Complexity(typeName, field string, childComplexity in return e.complexity.Mutation.UploadFile(childComplexity, args["dir"].(string), args["file"].(graphql.Upload)), true + case "Plugin.endpountSubPath": + if e.complexity.Plugin.EndpountSubPath == nil { + break + } + + return e.complexity.Plugin.EndpountSubPath(childComplexity), true + + case "Plugin.name": + if e.complexity.Plugin.Name == nil { + break + } + + return e.complexity.Plugin.Name(childComplexity), true + case "QBitCleanupResponse.count": if e.complexity.QBitCleanupResponse.Count == nil { break @@ -293,12 +311,12 @@ func (e *executableSchema) Complexity(typeName, field string, childComplexity in return e.complexity.Query.FsEntry(childComplexity, args["path"].(string)), true - case "Query.qbitTorrentDaemon": - if e.complexity.Query.QbitTorrentDaemon == nil { + case "Query.plugins": + if e.complexity.Query.Plugins == nil { break } - return e.complexity.Query.QbitTorrentDaemon(childComplexity), true + return e.complexity.Query.Plugins(childComplexity), true case "ResolverFS.entries": if e.complexity.ResolverFS.Entries == nil { @@ -380,8 +398,8 @@ func (e *executableSchema) Complexity(typeName, field string, childComplexity in } func (e *executableSchema) Exec(ctx context.Context) graphql.ResponseHandler { - rc := graphql.GetOperationContext(ctx) - ec := executionContext{rc, e, 0, 0, make(chan graphql.DeferredResult)} + opCtx := graphql.GetOperationContext(ctx) + ec := executionContext{opCtx, e, 0, 0, make(chan graphql.DeferredResult)} inputUnmarshalMap := graphql.BuildUnmarshalerMap( ec.unmarshalInputBooleanFilter, ec.unmarshalInputDateTimeFilter, @@ -392,7 +410,7 @@ func (e *executableSchema) Exec(ctx context.Context) graphql.ResponseHandler { ) first := true - switch rc.Operation.Operation { + switch opCtx.Operation.Operation { case ast.Query: return func(ctx context.Context) *graphql.Response { var response graphql.Response @@ -400,7 +418,7 @@ func (e *executableSchema) Exec(ctx context.Context) graphql.ResponseHandler { if first { first = false ctx = graphql.WithUnmarshalerMap(ctx, inputUnmarshalMap) - data = ec._Query(ctx, rc.Operation.SelectionSet) + data = ec._Query(ctx, opCtx.Operation.SelectionSet) } else { if atomic.LoadInt32(&ec.pendingDeferred) > 0 { result := <-ec.deferredResults @@ -430,7 +448,7 @@ func (e *executableSchema) Exec(ctx context.Context) graphql.ResponseHandler { } first = false ctx = graphql.WithUnmarshalerMap(ctx, inputUnmarshalMap) - data := ec._Mutation(ctx, rc.Operation.SelectionSet) + data := ec._Mutation(ctx, opCtx.Operation.SelectionSet) var buf bytes.Buffer data.MarshalGQL(&buf) @@ -439,7 +457,7 @@ func (e *executableSchema) Exec(ctx context.Context) graphql.ResponseHandler { } } case ast.Subscription: - next := ec._Subscription(ctx, rc.Operation.SelectionSet) + next := ec._Subscription(ctx, opCtx.Operation.SelectionSet) var buf bytes.Buffer return func(ctx context.Context) *graphql.Response { @@ -515,12 +533,16 @@ type Task { } `, BuiltIn: false}, {Name: "../../../graphql/query.graphql", Input: `type Query { - qbitTorrentDaemon: QBitTorrentDaemonQuery @resolver - + plugins: [Plugin!]! fsEntry(path: String!): FsEntry } + +type Plugin { + name: String! + endpountSubPath: String +} `, BuiltIn: false}, - {Name: "../../../graphql/schema.graphql", Input: `directive @oneOf on INPUT_OBJECT | FIELD_DEFINITION + {Name: "../../../graphql/schema.graphql", Input: `# directive @oneOf on INPUT_OBJECT | FIELD_DEFINITION directive @resolver on INPUT_FIELD_DEFINITION | FIELD_DEFINITION directive @stream on FIELD_DEFINITION @@ -647,9 +669,9 @@ var parsedSchema = gqlparser.MustLoadSchema(sources...) // region ***************************** args.gotpl ***************************** -func (ec *executionContext) field_Mutation_uploadFile_args(ctx context.Context, rawArgs map[string]interface{}) (map[string]interface{}, error) { +func (ec *executionContext) field_Mutation_uploadFile_args(ctx context.Context, rawArgs map[string]any) (map[string]any, error) { var err error - args := map[string]interface{}{} + args := map[string]any{} arg0, err := ec.field_Mutation_uploadFile_argsDir(ctx, rawArgs) if err != nil { return nil, err @@ -664,13 +686,9 @@ func (ec *executionContext) field_Mutation_uploadFile_args(ctx context.Context, } func (ec *executionContext) field_Mutation_uploadFile_argsDir( ctx context.Context, - rawArgs map[string]interface{}, + rawArgs map[string]any, ) (string, error) { - // We won't call the directive if the argument is null. - // Set call_argument_directives_with_null to true to call directives - // even if the argument is null. - _, ok := rawArgs["dir"] - if !ok { + if _, ok := rawArgs["dir"]; !ok { var zeroVal string return zeroVal, nil } @@ -686,13 +704,9 @@ func (ec *executionContext) field_Mutation_uploadFile_argsDir( func (ec *executionContext) field_Mutation_uploadFile_argsFile( ctx context.Context, - rawArgs map[string]interface{}, + rawArgs map[string]any, ) (graphql.Upload, error) { - // We won't call the directive if the argument is null. - // Set call_argument_directives_with_null to true to call directives - // even if the argument is null. - _, ok := rawArgs["file"] - if !ok { + if _, ok := rawArgs["file"]; !ok { var zeroVal graphql.Upload return zeroVal, nil } @@ -706,9 +720,9 @@ func (ec *executionContext) field_Mutation_uploadFile_argsFile( return zeroVal, nil } -func (ec *executionContext) field_QBitTorrentDaemonMutation_cleanupUnregistred_args(ctx context.Context, rawArgs map[string]interface{}) (map[string]interface{}, error) { +func (ec *executionContext) field_QBitTorrentDaemonMutation_cleanupUnregistred_args(ctx context.Context, rawArgs map[string]any) (map[string]any, error) { var err error - args := map[string]interface{}{} + args := map[string]any{} arg0, err := ec.field_QBitTorrentDaemonMutation_cleanupUnregistred_argsRun(ctx, rawArgs) if err != nil { return nil, err @@ -718,13 +732,9 @@ func (ec *executionContext) field_QBitTorrentDaemonMutation_cleanupUnregistred_a } func (ec *executionContext) field_QBitTorrentDaemonMutation_cleanupUnregistred_argsRun( ctx context.Context, - rawArgs map[string]interface{}, + rawArgs map[string]any, ) (bool, error) { - // We won't call the directive if the argument is null. - // Set call_argument_directives_with_null to true to call directives - // even if the argument is null. - _, ok := rawArgs["run"] - if !ok { + if _, ok := rawArgs["run"]; !ok { var zeroVal bool return zeroVal, nil } @@ -738,9 +748,9 @@ func (ec *executionContext) field_QBitTorrentDaemonMutation_cleanupUnregistred_a return zeroVal, nil } -func (ec *executionContext) field_QBitTorrentDaemonMutation_cleanup_args(ctx context.Context, rawArgs map[string]interface{}) (map[string]interface{}, error) { +func (ec *executionContext) field_QBitTorrentDaemonMutation_cleanup_args(ctx context.Context, rawArgs map[string]any) (map[string]any, error) { var err error - args := map[string]interface{}{} + args := map[string]any{} arg0, err := ec.field_QBitTorrentDaemonMutation_cleanup_argsRun(ctx, rawArgs) if err != nil { return nil, err @@ -750,13 +760,9 @@ func (ec *executionContext) field_QBitTorrentDaemonMutation_cleanup_args(ctx con } func (ec *executionContext) field_QBitTorrentDaemonMutation_cleanup_argsRun( ctx context.Context, - rawArgs map[string]interface{}, + rawArgs map[string]any, ) (bool, error) { - // We won't call the directive if the argument is null. - // Set call_argument_directives_with_null to true to call directives - // even if the argument is null. - _, ok := rawArgs["run"] - if !ok { + if _, ok := rawArgs["run"]; !ok { var zeroVal bool return zeroVal, nil } @@ -770,9 +776,9 @@ func (ec *executionContext) field_QBitTorrentDaemonMutation_cleanup_argsRun( return zeroVal, nil } -func (ec *executionContext) field_QBitTorrentDaemonQuery_torrents_args(ctx context.Context, rawArgs map[string]interface{}) (map[string]interface{}, error) { +func (ec *executionContext) field_QBitTorrentDaemonQuery_torrents_args(ctx context.Context, rawArgs map[string]any) (map[string]any, error) { var err error - args := map[string]interface{}{} + args := map[string]any{} arg0, err := ec.field_QBitTorrentDaemonQuery_torrents_argsFilter(ctx, rawArgs) if err != nil { return nil, err @@ -782,13 +788,9 @@ func (ec *executionContext) field_QBitTorrentDaemonQuery_torrents_args(ctx conte } func (ec *executionContext) field_QBitTorrentDaemonQuery_torrents_argsFilter( ctx context.Context, - rawArgs map[string]interface{}, + rawArgs map[string]any, ) (*model.QBitTorrentDaemonFilter, error) { - // We won't call the directive if the argument is null. - // Set call_argument_directives_with_null to true to call directives - // even if the argument is null. - _, ok := rawArgs["filter"] - if !ok { + if _, ok := rawArgs["filter"]; !ok { var zeroVal *model.QBitTorrentDaemonFilter return zeroVal, nil } @@ -802,9 +804,9 @@ func (ec *executionContext) field_QBitTorrentDaemonQuery_torrents_argsFilter( return zeroVal, nil } -func (ec *executionContext) field_Query___type_args(ctx context.Context, rawArgs map[string]interface{}) (map[string]interface{}, error) { +func (ec *executionContext) field_Query___type_args(ctx context.Context, rawArgs map[string]any) (map[string]any, error) { var err error - args := map[string]interface{}{} + args := map[string]any{} arg0, err := ec.field_Query___type_argsName(ctx, rawArgs) if err != nil { return nil, err @@ -814,13 +816,9 @@ func (ec *executionContext) field_Query___type_args(ctx context.Context, rawArgs } func (ec *executionContext) field_Query___type_argsName( ctx context.Context, - rawArgs map[string]interface{}, + rawArgs map[string]any, ) (string, error) { - // We won't call the directive if the argument is null. - // Set call_argument_directives_with_null to true to call directives - // even if the argument is null. - _, ok := rawArgs["name"] - if !ok { + if _, ok := rawArgs["name"]; !ok { var zeroVal string return zeroVal, nil } @@ -834,9 +832,9 @@ func (ec *executionContext) field_Query___type_argsName( return zeroVal, nil } -func (ec *executionContext) field_Query_fsEntry_args(ctx context.Context, rawArgs map[string]interface{}) (map[string]interface{}, error) { +func (ec *executionContext) field_Query_fsEntry_args(ctx context.Context, rawArgs map[string]any) (map[string]any, error) { var err error - args := map[string]interface{}{} + args := map[string]any{} arg0, err := ec.field_Query_fsEntry_argsPath(ctx, rawArgs) if err != nil { return nil, err @@ -846,13 +844,9 @@ func (ec *executionContext) field_Query_fsEntry_args(ctx context.Context, rawArg } func (ec *executionContext) field_Query_fsEntry_argsPath( ctx context.Context, - rawArgs map[string]interface{}, + rawArgs map[string]any, ) (string, error) { - // We won't call the directive if the argument is null. - // Set call_argument_directives_with_null to true to call directives - // even if the argument is null. - _, ok := rawArgs["path"] - if !ok { + if _, ok := rawArgs["path"]; !ok { var zeroVal string return zeroVal, nil } @@ -866,9 +860,9 @@ func (ec *executionContext) field_Query_fsEntry_argsPath( return zeroVal, nil } -func (ec *executionContext) field_Subscription_taskProgress_args(ctx context.Context, rawArgs map[string]interface{}) (map[string]interface{}, error) { +func (ec *executionContext) field_Subscription_taskProgress_args(ctx context.Context, rawArgs map[string]any) (map[string]any, error) { var err error - args := map[string]interface{}{} + args := map[string]any{} arg0, err := ec.field_Subscription_taskProgress_argsTaskID(ctx, rawArgs) if err != nil { return nil, err @@ -878,13 +872,9 @@ func (ec *executionContext) field_Subscription_taskProgress_args(ctx context.Con } func (ec *executionContext) field_Subscription_taskProgress_argsTaskID( ctx context.Context, - rawArgs map[string]interface{}, + rawArgs map[string]any, ) (string, error) { - // We won't call the directive if the argument is null. - // Set call_argument_directives_with_null to true to call directives - // even if the argument is null. - _, ok := rawArgs["taskID"] - if !ok { + if _, ok := rawArgs["taskID"]; !ok { var zeroVal string return zeroVal, nil } @@ -898,9 +888,65 @@ func (ec *executionContext) field_Subscription_taskProgress_argsTaskID( return zeroVal, nil } -func (ec *executionContext) field___Type_enumValues_args(ctx context.Context, rawArgs map[string]interface{}) (map[string]interface{}, error) { +func (ec *executionContext) field___Directive_args_args(ctx context.Context, rawArgs map[string]any) (map[string]any, error) { var err error - args := map[string]interface{}{} + args := map[string]any{} + arg0, err := ec.field___Directive_args_argsIncludeDeprecated(ctx, rawArgs) + if err != nil { + return nil, err + } + args["includeDeprecated"] = arg0 + return args, nil +} +func (ec *executionContext) field___Directive_args_argsIncludeDeprecated( + ctx context.Context, + rawArgs map[string]any, +) (*bool, error) { + if _, ok := rawArgs["includeDeprecated"]; !ok { + var zeroVal *bool + return zeroVal, nil + } + + ctx = graphql.WithPathContext(ctx, graphql.NewPathWithField("includeDeprecated")) + if tmp, ok := rawArgs["includeDeprecated"]; ok { + return ec.unmarshalOBoolean2ᚖbool(ctx, tmp) + } + + var zeroVal *bool + return zeroVal, nil +} + +func (ec *executionContext) field___Field_args_args(ctx context.Context, rawArgs map[string]any) (map[string]any, error) { + var err error + args := map[string]any{} + arg0, err := ec.field___Field_args_argsIncludeDeprecated(ctx, rawArgs) + if err != nil { + return nil, err + } + args["includeDeprecated"] = arg0 + return args, nil +} +func (ec *executionContext) field___Field_args_argsIncludeDeprecated( + ctx context.Context, + rawArgs map[string]any, +) (*bool, error) { + if _, ok := rawArgs["includeDeprecated"]; !ok { + var zeroVal *bool + return zeroVal, nil + } + + ctx = graphql.WithPathContext(ctx, graphql.NewPathWithField("includeDeprecated")) + if tmp, ok := rawArgs["includeDeprecated"]; ok { + return ec.unmarshalOBoolean2ᚖbool(ctx, tmp) + } + + var zeroVal *bool + return zeroVal, nil +} + +func (ec *executionContext) field___Type_enumValues_args(ctx context.Context, rawArgs map[string]any) (map[string]any, error) { + var err error + args := map[string]any{} arg0, err := ec.field___Type_enumValues_argsIncludeDeprecated(ctx, rawArgs) if err != nil { return nil, err @@ -910,13 +956,9 @@ func (ec *executionContext) field___Type_enumValues_args(ctx context.Context, ra } func (ec *executionContext) field___Type_enumValues_argsIncludeDeprecated( ctx context.Context, - rawArgs map[string]interface{}, + rawArgs map[string]any, ) (bool, error) { - // We won't call the directive if the argument is null. - // Set call_argument_directives_with_null to true to call directives - // even if the argument is null. - _, ok := rawArgs["includeDeprecated"] - if !ok { + if _, ok := rawArgs["includeDeprecated"]; !ok { var zeroVal bool return zeroVal, nil } @@ -930,9 +972,9 @@ func (ec *executionContext) field___Type_enumValues_argsIncludeDeprecated( return zeroVal, nil } -func (ec *executionContext) field___Type_fields_args(ctx context.Context, rawArgs map[string]interface{}) (map[string]interface{}, error) { +func (ec *executionContext) field___Type_fields_args(ctx context.Context, rawArgs map[string]any) (map[string]any, error) { var err error - args := map[string]interface{}{} + args := map[string]any{} arg0, err := ec.field___Type_fields_argsIncludeDeprecated(ctx, rawArgs) if err != nil { return nil, err @@ -942,13 +984,9 @@ func (ec *executionContext) field___Type_fields_args(ctx context.Context, rawArg } func (ec *executionContext) field___Type_fields_argsIncludeDeprecated( ctx context.Context, - rawArgs map[string]interface{}, + rawArgs map[string]any, ) (bool, error) { - // We won't call the directive if the argument is null. - // Set call_argument_directives_with_null to true to call directives - // even if the argument is null. - _, ok := rawArgs["includeDeprecated"] - if !ok { + if _, ok := rawArgs["includeDeprecated"]; !ok { var zeroVal bool return zeroVal, nil } @@ -982,13 +1020,13 @@ func (ec *executionContext) _Mutation_qbitTorrentDaemon(ctx context.Context, fie ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { - directive0 := func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { + directive0 := func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return ec.resolvers.Mutation().QbitTorrentDaemon(rctx) } - directive1 := func(ctx context.Context) (interface{}, error) { + directive1 := func(ctx context.Context) (any, error) { if ec.directives.Resolver == nil { var zeroVal *model.QBitTorrentDaemonMutation return zeroVal, errors.New("directive resolver is not implemented") @@ -1006,7 +1044,7 @@ func (ec *executionContext) _Mutation_qbitTorrentDaemon(ctx context.Context, fie if data, ok := tmp.(*model.QBitTorrentDaemonMutation); ok { return data, nil } - return nil, fmt.Errorf(`unexpected type %T from directive, should be *git.kmsign.ru/royalcat/tstor/src/delivery/graphql/model.QBitTorrentDaemonMutation`, tmp) + return nil, fmt.Errorf(`unexpected type %T from directive, should be *git.kmsign.ru/royalcat/tstor/server/src/delivery/graphql/model.QBitTorrentDaemonMutation`, tmp) }) if err != nil { ec.Error(ctx, err) @@ -1051,7 +1089,7 @@ func (ec *executionContext) _Mutation_uploadFile(ctx context.Context, field grap ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return ec.resolvers.Mutation().UploadFile(rctx, fc.Args["dir"].(string), fc.Args["file"].(graphql.Upload)) }) @@ -1106,7 +1144,7 @@ func (ec *executionContext) _Mutation_dedupeStorage(ctx context.Context, field g ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return ec.resolvers.Mutation().DedupeStorage(rctx) }) @@ -1138,6 +1176,91 @@ func (ec *executionContext) fieldContext_Mutation_dedupeStorage(_ context.Contex return fc, nil } +func (ec *executionContext) _Plugin_name(ctx context.Context, field graphql.CollectedField, obj *model.Plugin) (ret graphql.Marshaler) { + fc, err := ec.fieldContext_Plugin_name(ctx, field) + if err != nil { + return graphql.Null + } + ctx = graphql.WithFieldContext(ctx, fc) + defer func() { + if r := recover(); r != nil { + ec.Error(ctx, ec.Recover(ctx, r)) + ret = graphql.Null + } + }() + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { + ctx = rctx // use context from middleware stack in children + return obj.Name, nil + }) + if err != nil { + ec.Error(ctx, err) + return graphql.Null + } + if resTmp == nil { + if !graphql.HasFieldError(ctx, fc) { + ec.Errorf(ctx, "must not be null") + } + return graphql.Null + } + res := resTmp.(string) + fc.Result = res + return ec.marshalNString2string(ctx, field.Selections, res) +} + +func (ec *executionContext) fieldContext_Plugin_name(_ context.Context, field graphql.CollectedField) (fc *graphql.FieldContext, err error) { + fc = &graphql.FieldContext{ + Object: "Plugin", + Field: field, + IsMethod: false, + IsResolver: false, + Child: func(ctx context.Context, field graphql.CollectedField) (*graphql.FieldContext, error) { + return nil, errors.New("field of type String does not have child fields") + }, + } + return fc, nil +} + +func (ec *executionContext) _Plugin_endpountSubPath(ctx context.Context, field graphql.CollectedField, obj *model.Plugin) (ret graphql.Marshaler) { + fc, err := ec.fieldContext_Plugin_endpountSubPath(ctx, field) + if err != nil { + return graphql.Null + } + ctx = graphql.WithFieldContext(ctx, fc) + defer func() { + if r := recover(); r != nil { + ec.Error(ctx, ec.Recover(ctx, r)) + ret = graphql.Null + } + }() + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { + ctx = rctx // use context from middleware stack in children + return obj.EndpountSubPath, nil + }) + if err != nil { + ec.Error(ctx, err) + return graphql.Null + } + if resTmp == nil { + return graphql.Null + } + res := resTmp.(*string) + fc.Result = res + return ec.marshalOString2ᚖstring(ctx, field.Selections, res) +} + +func (ec *executionContext) fieldContext_Plugin_endpountSubPath(_ context.Context, field graphql.CollectedField) (fc *graphql.FieldContext, err error) { + fc = &graphql.FieldContext{ + Object: "Plugin", + Field: field, + IsMethod: false, + IsResolver: false, + Child: func(ctx context.Context, field graphql.CollectedField) (*graphql.FieldContext, error) { + return nil, errors.New("field of type String does not have child fields") + }, + } + return fc, nil +} + func (ec *executionContext) _QBitCleanupResponse_count(ctx context.Context, field graphql.CollectedField, obj *model.QBitCleanupResponse) (ret graphql.Marshaler) { fc, err := ec.fieldContext_QBitCleanupResponse_count(ctx, field) if err != nil { @@ -1150,7 +1273,7 @@ func (ec *executionContext) _QBitCleanupResponse_count(ctx context.Context, fiel ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Count, nil }) @@ -1194,7 +1317,7 @@ func (ec *executionContext) _QBitCleanupResponse_hashes(ctx context.Context, fie ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Hashes, nil }) @@ -1238,7 +1361,7 @@ func (ec *executionContext) _QBitCleanupUnregistredResponse_count(ctx context.Co ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Count, nil }) @@ -1282,7 +1405,7 @@ func (ec *executionContext) _QBitCleanupUnregistredResponse_hashes(ctx context.C ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Hashes, nil }) @@ -1326,13 +1449,13 @@ func (ec *executionContext) _QBitTorrentDaemonMutation_cleanup(ctx context.Conte ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { - directive0 := func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { + directive0 := func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return ec.resolvers.QBitTorrentDaemonMutation().Cleanup(rctx, obj, fc.Args["run"].(bool)) } - directive1 := func(ctx context.Context) (interface{}, error) { + directive1 := func(ctx context.Context) (any, error) { if ec.directives.Resolver == nil { var zeroVal *model.QBitCleanupResponse return zeroVal, errors.New("directive resolver is not implemented") @@ -1350,7 +1473,7 @@ func (ec *executionContext) _QBitTorrentDaemonMutation_cleanup(ctx context.Conte if data, ok := tmp.(*model.QBitCleanupResponse); ok { return data, nil } - return nil, fmt.Errorf(`unexpected type %T from directive, should be *git.kmsign.ru/royalcat/tstor/src/delivery/graphql/model.QBitCleanupResponse`, tmp) + return nil, fmt.Errorf(`unexpected type %T from directive, should be *git.kmsign.ru/royalcat/tstor/server/src/delivery/graphql/model.QBitCleanupResponse`, tmp) }) if err != nil { ec.Error(ctx, err) @@ -1409,13 +1532,13 @@ func (ec *executionContext) _QBitTorrentDaemonMutation_cleanupUnregistred(ctx co ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { - directive0 := func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { + directive0 := func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return ec.resolvers.QBitTorrentDaemonMutation().CleanupUnregistred(rctx, obj, fc.Args["run"].(bool)) } - directive1 := func(ctx context.Context) (interface{}, error) { + directive1 := func(ctx context.Context) (any, error) { if ec.directives.Resolver == nil { var zeroVal *model.QBitCleanupUnregistredResponse return zeroVal, errors.New("directive resolver is not implemented") @@ -1433,7 +1556,7 @@ func (ec *executionContext) _QBitTorrentDaemonMutation_cleanupUnregistred(ctx co if data, ok := tmp.(*model.QBitCleanupUnregistredResponse); ok { return data, nil } - return nil, fmt.Errorf(`unexpected type %T from directive, should be *git.kmsign.ru/royalcat/tstor/src/delivery/graphql/model.QBitCleanupUnregistredResponse`, tmp) + return nil, fmt.Errorf(`unexpected type %T from directive, should be *git.kmsign.ru/royalcat/tstor/server/src/delivery/graphql/model.QBitCleanupUnregistredResponse`, tmp) }) if err != nil { ec.Error(ctx, err) @@ -1492,13 +1615,13 @@ func (ec *executionContext) _QBitTorrentDaemonQuery_torrents(ctx context.Context ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { - directive0 := func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { + directive0 := func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return ec.resolvers.QBitTorrentDaemonQuery().Torrents(rctx, obj, fc.Args["filter"].(*model.QBitTorrentDaemonFilter)) } - directive1 := func(ctx context.Context) (interface{}, error) { + directive1 := func(ctx context.Context) (any, error) { if ec.directives.Resolver == nil { var zeroVal []*model.QTorrent return zeroVal, errors.New("directive resolver is not implemented") @@ -1516,7 +1639,7 @@ func (ec *executionContext) _QBitTorrentDaemonQuery_torrents(ctx context.Context if data, ok := tmp.([]*model.QTorrent); ok { return data, nil } - return nil, fmt.Errorf(`unexpected type %T from directive, should be []*git.kmsign.ru/royalcat/tstor/src/delivery/graphql/model.QTorrent`, tmp) + return nil, fmt.Errorf(`unexpected type %T from directive, should be []*git.kmsign.ru/royalcat/tstor/server/src/delivery/graphql/model.QTorrent`, tmp) }) if err != nil { ec.Error(ctx, err) @@ -1577,7 +1700,7 @@ func (ec *executionContext) _QTorrent_name(ctx context.Context, field graphql.Co ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Name, nil }) @@ -1621,7 +1744,7 @@ func (ec *executionContext) _QTorrent_hash(ctx context.Context, field graphql.Co ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Hash, nil }) @@ -1665,13 +1788,13 @@ func (ec *executionContext) _QTorrent_sourceFiles(ctx context.Context, field gra ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { - directive0 := func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { + directive0 := func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return ec.resolvers.QTorrent().SourceFiles(rctx, obj) } - directive1 := func(ctx context.Context) (interface{}, error) { + directive1 := func(ctx context.Context) (any, error) { if ec.directives.Resolver == nil { var zeroVal []string return zeroVal, errors.New("directive resolver is not implemented") @@ -1719,8 +1842,8 @@ func (ec *executionContext) fieldContext_QTorrent_sourceFiles(_ context.Context, return fc, nil } -func (ec *executionContext) _Query_qbitTorrentDaemon(ctx context.Context, field graphql.CollectedField) (ret graphql.Marshaler) { - fc, err := ec.fieldContext_Query_qbitTorrentDaemon(ctx, field) +func (ec *executionContext) _Query_plugins(ctx context.Context, field graphql.CollectedField) (ret graphql.Marshaler) { + fc, err := ec.fieldContext_Query_plugins(ctx, field) if err != nil { return graphql.Null } @@ -1731,45 +1854,26 @@ func (ec *executionContext) _Query_qbitTorrentDaemon(ctx context.Context, field ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { - directive0 := func(rctx context.Context) (interface{}, error) { - ctx = rctx // use context from middleware stack in children - return ec.resolvers.Query().QbitTorrentDaemon(rctx) - } - - directive1 := func(ctx context.Context) (interface{}, error) { - if ec.directives.Resolver == nil { - var zeroVal *model.QBitTorrentDaemonQuery - return zeroVal, errors.New("directive resolver is not implemented") - } - return ec.directives.Resolver(ctx, nil, directive0) - } - - tmp, err := directive1(rctx) - if err != nil { - return nil, graphql.ErrorOnPath(ctx, err) - } - if tmp == nil { - return nil, nil - } - if data, ok := tmp.(*model.QBitTorrentDaemonQuery); ok { - return data, nil - } - return nil, fmt.Errorf(`unexpected type %T from directive, should be *git.kmsign.ru/royalcat/tstor/src/delivery/graphql/model.QBitTorrentDaemonQuery`, tmp) + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { + ctx = rctx // use context from middleware stack in children + return ec.resolvers.Query().Plugins(rctx) }) if err != nil { ec.Error(ctx, err) return graphql.Null } if resTmp == nil { + if !graphql.HasFieldError(ctx, fc) { + ec.Errorf(ctx, "must not be null") + } return graphql.Null } - res := resTmp.(*model.QBitTorrentDaemonQuery) + res := resTmp.([]*model.Plugin) fc.Result = res - return ec.marshalOQBitTorrentDaemonQuery2ᚖgitᚗkmsignᚗruᚋroyalcatᚋtstorᚋsrcᚋdeliveryᚋgraphqlᚋmodelᚐQBitTorrentDaemonQuery(ctx, field.Selections, res) + return ec.marshalNPlugin2ᚕᚖgitᚗkmsignᚗruᚋroyalcatᚋtstorᚋsrcᚋdeliveryᚋgraphqlᚋmodelᚐPluginᚄ(ctx, field.Selections, res) } -func (ec *executionContext) fieldContext_Query_qbitTorrentDaemon(_ context.Context, field graphql.CollectedField) (fc *graphql.FieldContext, err error) { +func (ec *executionContext) fieldContext_Query_plugins(_ context.Context, field graphql.CollectedField) (fc *graphql.FieldContext, err error) { fc = &graphql.FieldContext{ Object: "Query", Field: field, @@ -1777,10 +1881,12 @@ func (ec *executionContext) fieldContext_Query_qbitTorrentDaemon(_ context.Conte IsResolver: true, Child: func(ctx context.Context, field graphql.CollectedField) (*graphql.FieldContext, error) { switch field.Name { - case "torrents": - return ec.fieldContext_QBitTorrentDaemonQuery_torrents(ctx, field) + case "name": + return ec.fieldContext_Plugin_name(ctx, field) + case "endpountSubPath": + return ec.fieldContext_Plugin_endpountSubPath(ctx, field) } - return nil, fmt.Errorf("no field named %q was found under type QBitTorrentDaemonQuery", field.Name) + return nil, fmt.Errorf("no field named %q was found under type Plugin", field.Name) }, } return fc, nil @@ -1798,7 +1904,7 @@ func (ec *executionContext) _Query_fsEntry(ctx context.Context, field graphql.Co ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return ec.resolvers.Query().FsEntry(rctx, fc.Args["path"].(string)) }) @@ -1850,7 +1956,7 @@ func (ec *executionContext) _Query___type(ctx context.Context, field graphql.Col ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return ec.introspectType(fc.Args["name"].(string)) }) @@ -1880,6 +1986,8 @@ func (ec *executionContext) fieldContext_Query___type(ctx context.Context, field return ec.fieldContext___Type_name(ctx, field) case "description": return ec.fieldContext___Type_description(ctx, field) + case "specifiedByURL": + return ec.fieldContext___Type_specifiedByURL(ctx, field) case "fields": return ec.fieldContext___Type_fields(ctx, field) case "interfaces": @@ -1892,8 +2000,8 @@ func (ec *executionContext) fieldContext_Query___type(ctx context.Context, field return ec.fieldContext___Type_inputFields(ctx, field) case "ofType": return ec.fieldContext___Type_ofType(ctx, field) - case "specifiedByURL": - return ec.fieldContext___Type_specifiedByURL(ctx, field) + case "isOneOf": + return ec.fieldContext___Type_isOneOf(ctx, field) } return nil, fmt.Errorf("no field named %q was found under type __Type", field.Name) }, @@ -1924,7 +2032,7 @@ func (ec *executionContext) _Query___schema(ctx context.Context, field graphql.C ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return ec.introspectSchema() }) @@ -1979,7 +2087,7 @@ func (ec *executionContext) _ResolverFS_name(ctx context.Context, field graphql. ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Name, nil }) @@ -2023,13 +2131,13 @@ func (ec *executionContext) _ResolverFS_entries(ctx context.Context, field graph ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { - directive0 := func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { + directive0 := func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return ec.resolvers.ResolverFS().Entries(rctx, obj) } - directive1 := func(ctx context.Context) (interface{}, error) { + directive1 := func(ctx context.Context) (any, error) { if ec.directives.Resolver == nil { var zeroVal []model.FsEntry return zeroVal, errors.New("directive resolver is not implemented") @@ -2047,7 +2155,7 @@ func (ec *executionContext) _ResolverFS_entries(ctx context.Context, field graph if data, ok := tmp.([]model.FsEntry); ok { return data, nil } - return nil, fmt.Errorf(`unexpected type %T from directive, should be []git.kmsign.ru/royalcat/tstor/src/delivery/graphql/model.FsEntry`, tmp) + return nil, fmt.Errorf(`unexpected type %T from directive, should be []git.kmsign.ru/royalcat/tstor/server/src/delivery/graphql/model.FsEntry`, tmp) }) if err != nil { ec.Error(ctx, err) @@ -2102,8 +2210,8 @@ func (ec *executionContext) fieldContext_Schema_query(_ context.Context, field g IsResolver: false, Child: func(ctx context.Context, field graphql.CollectedField) (*graphql.FieldContext, error) { switch field.Name { - case "qbitTorrentDaemon": - return ec.fieldContext_Query_qbitTorrentDaemon(ctx, field) + case "plugins": + return ec.fieldContext_Query_plugins(ctx, field) case "fsEntry": return ec.fieldContext_Query_fsEntry(ctx, field) case "__schema": @@ -2167,7 +2275,7 @@ func (ec *executionContext) _SimpleDir_name(ctx context.Context, field graphql.C ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Name, nil }) @@ -2211,13 +2319,13 @@ func (ec *executionContext) _SimpleDir_entries(ctx context.Context, field graphq ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { - directive0 := func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { + directive0 := func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return ec.resolvers.SimpleDir().Entries(rctx, obj) } - directive1 := func(ctx context.Context) (interface{}, error) { + directive1 := func(ctx context.Context) (any, error) { if ec.directives.Resolver == nil { var zeroVal []model.FsEntry return zeroVal, errors.New("directive resolver is not implemented") @@ -2235,7 +2343,7 @@ func (ec *executionContext) _SimpleDir_entries(ctx context.Context, field graphq if data, ok := tmp.([]model.FsEntry); ok { return data, nil } - return nil, fmt.Errorf(`unexpected type %T from directive, should be []git.kmsign.ru/royalcat/tstor/src/delivery/graphql/model.FsEntry`, tmp) + return nil, fmt.Errorf(`unexpected type %T from directive, should be []git.kmsign.ru/royalcat/tstor/server/src/delivery/graphql/model.FsEntry`, tmp) }) if err != nil { ec.Error(ctx, err) @@ -2277,7 +2385,7 @@ func (ec *executionContext) _SimpleFile_name(ctx context.Context, field graphql. ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Name, nil }) @@ -2321,7 +2429,7 @@ func (ec *executionContext) _SimpleFile_size(ctx context.Context, field graphql. ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Size, nil }) @@ -2365,7 +2473,7 @@ func (ec *executionContext) _Subscription_taskProgress(ctx context.Context, fiel ret = nil } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return ec.resolvers.Subscription().TaskProgress(rctx, fc.Args["taskID"].(string)) }) @@ -2431,7 +2539,7 @@ func (ec *executionContext) _Task_id(ctx context.Context, field graphql.Collecte ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.ID, nil }) @@ -2475,7 +2583,7 @@ func (ec *executionContext) ___Directive_name(ctx context.Context, field graphql ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Name, nil }) @@ -2519,7 +2627,7 @@ func (ec *executionContext) ___Directive_description(ctx context.Context, field ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Description(), nil }) @@ -2548,6 +2656,50 @@ func (ec *executionContext) fieldContext___Directive_description(_ context.Conte return fc, nil } +func (ec *executionContext) ___Directive_isRepeatable(ctx context.Context, field graphql.CollectedField, obj *introspection.Directive) (ret graphql.Marshaler) { + fc, err := ec.fieldContext___Directive_isRepeatable(ctx, field) + if err != nil { + return graphql.Null + } + ctx = graphql.WithFieldContext(ctx, fc) + defer func() { + if r := recover(); r != nil { + ec.Error(ctx, ec.Recover(ctx, r)) + ret = graphql.Null + } + }() + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { + ctx = rctx // use context from middleware stack in children + return obj.IsRepeatable, nil + }) + if err != nil { + ec.Error(ctx, err) + return graphql.Null + } + if resTmp == nil { + if !graphql.HasFieldError(ctx, fc) { + ec.Errorf(ctx, "must not be null") + } + return graphql.Null + } + res := resTmp.(bool) + fc.Result = res + return ec.marshalNBoolean2bool(ctx, field.Selections, res) +} + +func (ec *executionContext) fieldContext___Directive_isRepeatable(_ context.Context, field graphql.CollectedField) (fc *graphql.FieldContext, err error) { + fc = &graphql.FieldContext{ + Object: "__Directive", + Field: field, + IsMethod: false, + IsResolver: false, + Child: func(ctx context.Context, field graphql.CollectedField) (*graphql.FieldContext, error) { + return nil, errors.New("field of type Boolean does not have child fields") + }, + } + return fc, nil +} + func (ec *executionContext) ___Directive_locations(ctx context.Context, field graphql.CollectedField, obj *introspection.Directive) (ret graphql.Marshaler) { fc, err := ec.fieldContext___Directive_locations(ctx, field) if err != nil { @@ -2560,7 +2712,7 @@ func (ec *executionContext) ___Directive_locations(ctx context.Context, field gr ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Locations, nil }) @@ -2604,7 +2756,7 @@ func (ec *executionContext) ___Directive_args(ctx context.Context, field graphql ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Args, nil }) @@ -2623,7 +2775,7 @@ func (ec *executionContext) ___Directive_args(ctx context.Context, field graphql return ec.marshalN__InputValue2ᚕgithubᚗcomᚋ99designsᚋgqlgenᚋgraphqlᚋintrospectionᚐInputValueᚄ(ctx, field.Selections, res) } -func (ec *executionContext) fieldContext___Directive_args(_ context.Context, field graphql.CollectedField) (fc *graphql.FieldContext, err error) { +func (ec *executionContext) fieldContext___Directive_args(ctx context.Context, field graphql.CollectedField) (fc *graphql.FieldContext, err error) { fc = &graphql.FieldContext{ Object: "__Directive", Field: field, @@ -2639,53 +2791,24 @@ func (ec *executionContext) fieldContext___Directive_args(_ context.Context, fie return ec.fieldContext___InputValue_type(ctx, field) case "defaultValue": return ec.fieldContext___InputValue_defaultValue(ctx, field) + case "isDeprecated": + return ec.fieldContext___InputValue_isDeprecated(ctx, field) + case "deprecationReason": + return ec.fieldContext___InputValue_deprecationReason(ctx, field) } return nil, fmt.Errorf("no field named %q was found under type __InputValue", field.Name) }, } - return fc, nil -} - -func (ec *executionContext) ___Directive_isRepeatable(ctx context.Context, field graphql.CollectedField, obj *introspection.Directive) (ret graphql.Marshaler) { - fc, err := ec.fieldContext___Directive_isRepeatable(ctx, field) - if err != nil { - return graphql.Null - } - ctx = graphql.WithFieldContext(ctx, fc) defer func() { if r := recover(); r != nil { - ec.Error(ctx, ec.Recover(ctx, r)) - ret = graphql.Null + err = ec.Recover(ctx, r) + ec.Error(ctx, err) } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { - ctx = rctx // use context from middleware stack in children - return obj.IsRepeatable, nil - }) - if err != nil { + ctx = graphql.WithFieldContext(ctx, fc) + if fc.Args, err = ec.field___Directive_args_args(ctx, field.ArgumentMap(ec.Variables)); err != nil { ec.Error(ctx, err) - return graphql.Null - } - if resTmp == nil { - if !graphql.HasFieldError(ctx, fc) { - ec.Errorf(ctx, "must not be null") - } - return graphql.Null - } - res := resTmp.(bool) - fc.Result = res - return ec.marshalNBoolean2bool(ctx, field.Selections, res) -} - -func (ec *executionContext) fieldContext___Directive_isRepeatable(_ context.Context, field graphql.CollectedField) (fc *graphql.FieldContext, err error) { - fc = &graphql.FieldContext{ - Object: "__Directive", - Field: field, - IsMethod: false, - IsResolver: false, - Child: func(ctx context.Context, field graphql.CollectedField) (*graphql.FieldContext, error) { - return nil, errors.New("field of type Boolean does not have child fields") - }, + return fc, err } return fc, nil } @@ -2702,7 +2825,7 @@ func (ec *executionContext) ___EnumValue_name(ctx context.Context, field graphql ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Name, nil }) @@ -2746,7 +2869,7 @@ func (ec *executionContext) ___EnumValue_description(ctx context.Context, field ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Description(), nil }) @@ -2787,7 +2910,7 @@ func (ec *executionContext) ___EnumValue_isDeprecated(ctx context.Context, field ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.IsDeprecated(), nil }) @@ -2831,7 +2954,7 @@ func (ec *executionContext) ___EnumValue_deprecationReason(ctx context.Context, ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.DeprecationReason(), nil }) @@ -2872,7 +2995,7 @@ func (ec *executionContext) ___Field_name(ctx context.Context, field graphql.Col ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Name, nil }) @@ -2916,7 +3039,7 @@ func (ec *executionContext) ___Field_description(ctx context.Context, field grap ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Description(), nil }) @@ -2957,7 +3080,7 @@ func (ec *executionContext) ___Field_args(ctx context.Context, field graphql.Col ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Args, nil }) @@ -2976,7 +3099,7 @@ func (ec *executionContext) ___Field_args(ctx context.Context, field graphql.Col return ec.marshalN__InputValue2ᚕgithubᚗcomᚋ99designsᚋgqlgenᚋgraphqlᚋintrospectionᚐInputValueᚄ(ctx, field.Selections, res) } -func (ec *executionContext) fieldContext___Field_args(_ context.Context, field graphql.CollectedField) (fc *graphql.FieldContext, err error) { +func (ec *executionContext) fieldContext___Field_args(ctx context.Context, field graphql.CollectedField) (fc *graphql.FieldContext, err error) { fc = &graphql.FieldContext{ Object: "__Field", Field: field, @@ -2992,10 +3115,25 @@ func (ec *executionContext) fieldContext___Field_args(_ context.Context, field g return ec.fieldContext___InputValue_type(ctx, field) case "defaultValue": return ec.fieldContext___InputValue_defaultValue(ctx, field) + case "isDeprecated": + return ec.fieldContext___InputValue_isDeprecated(ctx, field) + case "deprecationReason": + return ec.fieldContext___InputValue_deprecationReason(ctx, field) } return nil, fmt.Errorf("no field named %q was found under type __InputValue", field.Name) }, } + defer func() { + if r := recover(); r != nil { + err = ec.Recover(ctx, r) + ec.Error(ctx, err) + } + }() + ctx = graphql.WithFieldContext(ctx, fc) + if fc.Args, err = ec.field___Field_args_args(ctx, field.ArgumentMap(ec.Variables)); err != nil { + ec.Error(ctx, err) + return fc, err + } return fc, nil } @@ -3011,7 +3149,7 @@ func (ec *executionContext) ___Field_type(ctx context.Context, field graphql.Col ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Type, nil }) @@ -3044,6 +3182,8 @@ func (ec *executionContext) fieldContext___Field_type(_ context.Context, field g return ec.fieldContext___Type_name(ctx, field) case "description": return ec.fieldContext___Type_description(ctx, field) + case "specifiedByURL": + return ec.fieldContext___Type_specifiedByURL(ctx, field) case "fields": return ec.fieldContext___Type_fields(ctx, field) case "interfaces": @@ -3056,8 +3196,8 @@ func (ec *executionContext) fieldContext___Field_type(_ context.Context, field g return ec.fieldContext___Type_inputFields(ctx, field) case "ofType": return ec.fieldContext___Type_ofType(ctx, field) - case "specifiedByURL": - return ec.fieldContext___Type_specifiedByURL(ctx, field) + case "isOneOf": + return ec.fieldContext___Type_isOneOf(ctx, field) } return nil, fmt.Errorf("no field named %q was found under type __Type", field.Name) }, @@ -3077,7 +3217,7 @@ func (ec *executionContext) ___Field_isDeprecated(ctx context.Context, field gra ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.IsDeprecated(), nil }) @@ -3121,7 +3261,7 @@ func (ec *executionContext) ___Field_deprecationReason(ctx context.Context, fiel ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.DeprecationReason(), nil }) @@ -3162,7 +3302,7 @@ func (ec *executionContext) ___InputValue_name(ctx context.Context, field graphq ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Name, nil }) @@ -3206,7 +3346,7 @@ func (ec *executionContext) ___InputValue_description(ctx context.Context, field ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Description(), nil }) @@ -3247,7 +3387,7 @@ func (ec *executionContext) ___InputValue_type(ctx context.Context, field graphq ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Type, nil }) @@ -3280,6 +3420,8 @@ func (ec *executionContext) fieldContext___InputValue_type(_ context.Context, fi return ec.fieldContext___Type_name(ctx, field) case "description": return ec.fieldContext___Type_description(ctx, field) + case "specifiedByURL": + return ec.fieldContext___Type_specifiedByURL(ctx, field) case "fields": return ec.fieldContext___Type_fields(ctx, field) case "interfaces": @@ -3292,8 +3434,8 @@ func (ec *executionContext) fieldContext___InputValue_type(_ context.Context, fi return ec.fieldContext___Type_inputFields(ctx, field) case "ofType": return ec.fieldContext___Type_ofType(ctx, field) - case "specifiedByURL": - return ec.fieldContext___Type_specifiedByURL(ctx, field) + case "isOneOf": + return ec.fieldContext___Type_isOneOf(ctx, field) } return nil, fmt.Errorf("no field named %q was found under type __Type", field.Name) }, @@ -3313,7 +3455,7 @@ func (ec *executionContext) ___InputValue_defaultValue(ctx context.Context, fiel ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.DefaultValue, nil }) @@ -3342,6 +3484,91 @@ func (ec *executionContext) fieldContext___InputValue_defaultValue(_ context.Con return fc, nil } +func (ec *executionContext) ___InputValue_isDeprecated(ctx context.Context, field graphql.CollectedField, obj *introspection.InputValue) (ret graphql.Marshaler) { + fc, err := ec.fieldContext___InputValue_isDeprecated(ctx, field) + if err != nil { + return graphql.Null + } + ctx = graphql.WithFieldContext(ctx, fc) + defer func() { + if r := recover(); r != nil { + ec.Error(ctx, ec.Recover(ctx, r)) + ret = graphql.Null + } + }() + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { + ctx = rctx // use context from middleware stack in children + return obj.IsDeprecated(), nil + }) + if err != nil { + ec.Error(ctx, err) + return graphql.Null + } + if resTmp == nil { + if !graphql.HasFieldError(ctx, fc) { + ec.Errorf(ctx, "must not be null") + } + return graphql.Null + } + res := resTmp.(bool) + fc.Result = res + return ec.marshalNBoolean2bool(ctx, field.Selections, res) +} + +func (ec *executionContext) fieldContext___InputValue_isDeprecated(_ context.Context, field graphql.CollectedField) (fc *graphql.FieldContext, err error) { + fc = &graphql.FieldContext{ + Object: "__InputValue", + Field: field, + IsMethod: true, + IsResolver: false, + Child: func(ctx context.Context, field graphql.CollectedField) (*graphql.FieldContext, error) { + return nil, errors.New("field of type Boolean does not have child fields") + }, + } + return fc, nil +} + +func (ec *executionContext) ___InputValue_deprecationReason(ctx context.Context, field graphql.CollectedField, obj *introspection.InputValue) (ret graphql.Marshaler) { + fc, err := ec.fieldContext___InputValue_deprecationReason(ctx, field) + if err != nil { + return graphql.Null + } + ctx = graphql.WithFieldContext(ctx, fc) + defer func() { + if r := recover(); r != nil { + ec.Error(ctx, ec.Recover(ctx, r)) + ret = graphql.Null + } + }() + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { + ctx = rctx // use context from middleware stack in children + return obj.DeprecationReason(), nil + }) + if err != nil { + ec.Error(ctx, err) + return graphql.Null + } + if resTmp == nil { + return graphql.Null + } + res := resTmp.(*string) + fc.Result = res + return ec.marshalOString2ᚖstring(ctx, field.Selections, res) +} + +func (ec *executionContext) fieldContext___InputValue_deprecationReason(_ context.Context, field graphql.CollectedField) (fc *graphql.FieldContext, err error) { + fc = &graphql.FieldContext{ + Object: "__InputValue", + Field: field, + IsMethod: true, + IsResolver: false, + Child: func(ctx context.Context, field graphql.CollectedField) (*graphql.FieldContext, error) { + return nil, errors.New("field of type String does not have child fields") + }, + } + return fc, nil +} + func (ec *executionContext) ___Schema_description(ctx context.Context, field graphql.CollectedField, obj *introspection.Schema) (ret graphql.Marshaler) { fc, err := ec.fieldContext___Schema_description(ctx, field) if err != nil { @@ -3354,7 +3581,7 @@ func (ec *executionContext) ___Schema_description(ctx context.Context, field gra ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Description(), nil }) @@ -3395,7 +3622,7 @@ func (ec *executionContext) ___Schema_types(ctx context.Context, field graphql.C ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Types(), nil }) @@ -3428,6 +3655,8 @@ func (ec *executionContext) fieldContext___Schema_types(_ context.Context, field return ec.fieldContext___Type_name(ctx, field) case "description": return ec.fieldContext___Type_description(ctx, field) + case "specifiedByURL": + return ec.fieldContext___Type_specifiedByURL(ctx, field) case "fields": return ec.fieldContext___Type_fields(ctx, field) case "interfaces": @@ -3440,8 +3669,8 @@ func (ec *executionContext) fieldContext___Schema_types(_ context.Context, field return ec.fieldContext___Type_inputFields(ctx, field) case "ofType": return ec.fieldContext___Type_ofType(ctx, field) - case "specifiedByURL": - return ec.fieldContext___Type_specifiedByURL(ctx, field) + case "isOneOf": + return ec.fieldContext___Type_isOneOf(ctx, field) } return nil, fmt.Errorf("no field named %q was found under type __Type", field.Name) }, @@ -3461,7 +3690,7 @@ func (ec *executionContext) ___Schema_queryType(ctx context.Context, field graph ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.QueryType(), nil }) @@ -3494,6 +3723,8 @@ func (ec *executionContext) fieldContext___Schema_queryType(_ context.Context, f return ec.fieldContext___Type_name(ctx, field) case "description": return ec.fieldContext___Type_description(ctx, field) + case "specifiedByURL": + return ec.fieldContext___Type_specifiedByURL(ctx, field) case "fields": return ec.fieldContext___Type_fields(ctx, field) case "interfaces": @@ -3506,8 +3737,8 @@ func (ec *executionContext) fieldContext___Schema_queryType(_ context.Context, f return ec.fieldContext___Type_inputFields(ctx, field) case "ofType": return ec.fieldContext___Type_ofType(ctx, field) - case "specifiedByURL": - return ec.fieldContext___Type_specifiedByURL(ctx, field) + case "isOneOf": + return ec.fieldContext___Type_isOneOf(ctx, field) } return nil, fmt.Errorf("no field named %q was found under type __Type", field.Name) }, @@ -3527,7 +3758,7 @@ func (ec *executionContext) ___Schema_mutationType(ctx context.Context, field gr ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.MutationType(), nil }) @@ -3557,6 +3788,8 @@ func (ec *executionContext) fieldContext___Schema_mutationType(_ context.Context return ec.fieldContext___Type_name(ctx, field) case "description": return ec.fieldContext___Type_description(ctx, field) + case "specifiedByURL": + return ec.fieldContext___Type_specifiedByURL(ctx, field) case "fields": return ec.fieldContext___Type_fields(ctx, field) case "interfaces": @@ -3569,8 +3802,8 @@ func (ec *executionContext) fieldContext___Schema_mutationType(_ context.Context return ec.fieldContext___Type_inputFields(ctx, field) case "ofType": return ec.fieldContext___Type_ofType(ctx, field) - case "specifiedByURL": - return ec.fieldContext___Type_specifiedByURL(ctx, field) + case "isOneOf": + return ec.fieldContext___Type_isOneOf(ctx, field) } return nil, fmt.Errorf("no field named %q was found under type __Type", field.Name) }, @@ -3590,7 +3823,7 @@ func (ec *executionContext) ___Schema_subscriptionType(ctx context.Context, fiel ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.SubscriptionType(), nil }) @@ -3620,6 +3853,8 @@ func (ec *executionContext) fieldContext___Schema_subscriptionType(_ context.Con return ec.fieldContext___Type_name(ctx, field) case "description": return ec.fieldContext___Type_description(ctx, field) + case "specifiedByURL": + return ec.fieldContext___Type_specifiedByURL(ctx, field) case "fields": return ec.fieldContext___Type_fields(ctx, field) case "interfaces": @@ -3632,8 +3867,8 @@ func (ec *executionContext) fieldContext___Schema_subscriptionType(_ context.Con return ec.fieldContext___Type_inputFields(ctx, field) case "ofType": return ec.fieldContext___Type_ofType(ctx, field) - case "specifiedByURL": - return ec.fieldContext___Type_specifiedByURL(ctx, field) + case "isOneOf": + return ec.fieldContext___Type_isOneOf(ctx, field) } return nil, fmt.Errorf("no field named %q was found under type __Type", field.Name) }, @@ -3653,7 +3888,7 @@ func (ec *executionContext) ___Schema_directives(ctx context.Context, field grap ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Directives(), nil }) @@ -3684,12 +3919,12 @@ func (ec *executionContext) fieldContext___Schema_directives(_ context.Context, return ec.fieldContext___Directive_name(ctx, field) case "description": return ec.fieldContext___Directive_description(ctx, field) + case "isRepeatable": + return ec.fieldContext___Directive_isRepeatable(ctx, field) case "locations": return ec.fieldContext___Directive_locations(ctx, field) case "args": return ec.fieldContext___Directive_args(ctx, field) - case "isRepeatable": - return ec.fieldContext___Directive_isRepeatable(ctx, field) } return nil, fmt.Errorf("no field named %q was found under type __Directive", field.Name) }, @@ -3709,7 +3944,7 @@ func (ec *executionContext) ___Type_kind(ctx context.Context, field graphql.Coll ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Kind(), nil }) @@ -3753,7 +3988,7 @@ func (ec *executionContext) ___Type_name(ctx context.Context, field graphql.Coll ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Name(), nil }) @@ -3794,7 +4029,7 @@ func (ec *executionContext) ___Type_description(ctx context.Context, field graph ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Description(), nil }) @@ -3823,6 +4058,47 @@ func (ec *executionContext) fieldContext___Type_description(_ context.Context, f return fc, nil } +func (ec *executionContext) ___Type_specifiedByURL(ctx context.Context, field graphql.CollectedField, obj *introspection.Type) (ret graphql.Marshaler) { + fc, err := ec.fieldContext___Type_specifiedByURL(ctx, field) + if err != nil { + return graphql.Null + } + ctx = graphql.WithFieldContext(ctx, fc) + defer func() { + if r := recover(); r != nil { + ec.Error(ctx, ec.Recover(ctx, r)) + ret = graphql.Null + } + }() + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { + ctx = rctx // use context from middleware stack in children + return obj.SpecifiedByURL(), nil + }) + if err != nil { + ec.Error(ctx, err) + return graphql.Null + } + if resTmp == nil { + return graphql.Null + } + res := resTmp.(*string) + fc.Result = res + return ec.marshalOString2ᚖstring(ctx, field.Selections, res) +} + +func (ec *executionContext) fieldContext___Type_specifiedByURL(_ context.Context, field graphql.CollectedField) (fc *graphql.FieldContext, err error) { + fc = &graphql.FieldContext{ + Object: "__Type", + Field: field, + IsMethod: true, + IsResolver: false, + Child: func(ctx context.Context, field graphql.CollectedField) (*graphql.FieldContext, error) { + return nil, errors.New("field of type String does not have child fields") + }, + } + return fc, nil +} + func (ec *executionContext) ___Type_fields(ctx context.Context, field graphql.CollectedField, obj *introspection.Type) (ret graphql.Marshaler) { fc, err := ec.fieldContext___Type_fields(ctx, field) if err != nil { @@ -3835,7 +4111,7 @@ func (ec *executionContext) ___Type_fields(ctx context.Context, field graphql.Co ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Fields(fc.Args["includeDeprecated"].(bool)), nil }) @@ -3901,7 +4177,7 @@ func (ec *executionContext) ___Type_interfaces(ctx context.Context, field graphq ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.Interfaces(), nil }) @@ -3931,6 +4207,8 @@ func (ec *executionContext) fieldContext___Type_interfaces(_ context.Context, fi return ec.fieldContext___Type_name(ctx, field) case "description": return ec.fieldContext___Type_description(ctx, field) + case "specifiedByURL": + return ec.fieldContext___Type_specifiedByURL(ctx, field) case "fields": return ec.fieldContext___Type_fields(ctx, field) case "interfaces": @@ -3943,8 +4221,8 @@ func (ec *executionContext) fieldContext___Type_interfaces(_ context.Context, fi return ec.fieldContext___Type_inputFields(ctx, field) case "ofType": return ec.fieldContext___Type_ofType(ctx, field) - case "specifiedByURL": - return ec.fieldContext___Type_specifiedByURL(ctx, field) + case "isOneOf": + return ec.fieldContext___Type_isOneOf(ctx, field) } return nil, fmt.Errorf("no field named %q was found under type __Type", field.Name) }, @@ -3964,7 +4242,7 @@ func (ec *executionContext) ___Type_possibleTypes(ctx context.Context, field gra ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.PossibleTypes(), nil }) @@ -3994,6 +4272,8 @@ func (ec *executionContext) fieldContext___Type_possibleTypes(_ context.Context, return ec.fieldContext___Type_name(ctx, field) case "description": return ec.fieldContext___Type_description(ctx, field) + case "specifiedByURL": + return ec.fieldContext___Type_specifiedByURL(ctx, field) case "fields": return ec.fieldContext___Type_fields(ctx, field) case "interfaces": @@ -4006,8 +4286,8 @@ func (ec *executionContext) fieldContext___Type_possibleTypes(_ context.Context, return ec.fieldContext___Type_inputFields(ctx, field) case "ofType": return ec.fieldContext___Type_ofType(ctx, field) - case "specifiedByURL": - return ec.fieldContext___Type_specifiedByURL(ctx, field) + case "isOneOf": + return ec.fieldContext___Type_isOneOf(ctx, field) } return nil, fmt.Errorf("no field named %q was found under type __Type", field.Name) }, @@ -4027,7 +4307,7 @@ func (ec *executionContext) ___Type_enumValues(ctx context.Context, field graphq ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.EnumValues(fc.Args["includeDeprecated"].(bool)), nil }) @@ -4089,7 +4369,7 @@ func (ec *executionContext) ___Type_inputFields(ctx context.Context, field graph ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.InputFields(), nil }) @@ -4121,6 +4401,10 @@ func (ec *executionContext) fieldContext___Type_inputFields(_ context.Context, f return ec.fieldContext___InputValue_type(ctx, field) case "defaultValue": return ec.fieldContext___InputValue_defaultValue(ctx, field) + case "isDeprecated": + return ec.fieldContext___InputValue_isDeprecated(ctx, field) + case "deprecationReason": + return ec.fieldContext___InputValue_deprecationReason(ctx, field) } return nil, fmt.Errorf("no field named %q was found under type __InputValue", field.Name) }, @@ -4140,7 +4424,7 @@ func (ec *executionContext) ___Type_ofType(ctx context.Context, field graphql.Co ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children return obj.OfType(), nil }) @@ -4170,6 +4454,8 @@ func (ec *executionContext) fieldContext___Type_ofType(_ context.Context, field return ec.fieldContext___Type_name(ctx, field) case "description": return ec.fieldContext___Type_description(ctx, field) + case "specifiedByURL": + return ec.fieldContext___Type_specifiedByURL(ctx, field) case "fields": return ec.fieldContext___Type_fields(ctx, field) case "interfaces": @@ -4182,8 +4468,8 @@ func (ec *executionContext) fieldContext___Type_ofType(_ context.Context, field return ec.fieldContext___Type_inputFields(ctx, field) case "ofType": return ec.fieldContext___Type_ofType(ctx, field) - case "specifiedByURL": - return ec.fieldContext___Type_specifiedByURL(ctx, field) + case "isOneOf": + return ec.fieldContext___Type_isOneOf(ctx, field) } return nil, fmt.Errorf("no field named %q was found under type __Type", field.Name) }, @@ -4191,8 +4477,8 @@ func (ec *executionContext) fieldContext___Type_ofType(_ context.Context, field return fc, nil } -func (ec *executionContext) ___Type_specifiedByURL(ctx context.Context, field graphql.CollectedField, obj *introspection.Type) (ret graphql.Marshaler) { - fc, err := ec.fieldContext___Type_specifiedByURL(ctx, field) +func (ec *executionContext) ___Type_isOneOf(ctx context.Context, field graphql.CollectedField, obj *introspection.Type) (ret graphql.Marshaler) { + fc, err := ec.fieldContext___Type_isOneOf(ctx, field) if err != nil { return graphql.Null } @@ -4203,9 +4489,9 @@ func (ec *executionContext) ___Type_specifiedByURL(ctx context.Context, field gr ret = graphql.Null } }() - resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (interface{}, error) { + resTmp, err := ec.ResolverMiddleware(ctx, func(rctx context.Context) (any, error) { ctx = rctx // use context from middleware stack in children - return obj.SpecifiedByURL(), nil + return obj.IsOneOf(), nil }) if err != nil { ec.Error(ctx, err) @@ -4214,19 +4500,19 @@ func (ec *executionContext) ___Type_specifiedByURL(ctx context.Context, field gr if resTmp == nil { return graphql.Null } - res := resTmp.(*string) + res := resTmp.(bool) fc.Result = res - return ec.marshalOString2ᚖstring(ctx, field.Selections, res) + return ec.marshalOBoolean2bool(ctx, field.Selections, res) } -func (ec *executionContext) fieldContext___Type_specifiedByURL(_ context.Context, field graphql.CollectedField) (fc *graphql.FieldContext, err error) { +func (ec *executionContext) fieldContext___Type_isOneOf(_ context.Context, field graphql.CollectedField) (fc *graphql.FieldContext, err error) { fc = &graphql.FieldContext{ Object: "__Type", Field: field, IsMethod: true, IsResolver: false, Child: func(ctx context.Context, field graphql.CollectedField) (*graphql.FieldContext, error) { - return nil, errors.New("field of type String does not have child fields") + return nil, errors.New("field of type Boolean does not have child fields") }, } return fc, nil @@ -4236,10 +4522,10 @@ func (ec *executionContext) fieldContext___Type_specifiedByURL(_ context.Context // region **************************** input.gotpl ***************************** -func (ec *executionContext) unmarshalInputBooleanFilter(ctx context.Context, obj interface{}) (model.BooleanFilter, error) { +func (ec *executionContext) unmarshalInputBooleanFilter(ctx context.Context, obj any) (model.BooleanFilter, error) { var it model.BooleanFilter - asMap := map[string]interface{}{} - for k, v := range obj.(map[string]interface{}) { + asMap := map[string]any{} + for k, v := range obj.(map[string]any) { asMap[k] = v } @@ -4252,38 +4538,21 @@ func (ec *executionContext) unmarshalInputBooleanFilter(ctx context.Context, obj switch k { case "eq": ctx := graphql.WithPathContext(ctx, graphql.NewPathWithField("eq")) - directive0 := func(ctx context.Context) (interface{}, error) { return ec.unmarshalOBoolean2ᚖbool(ctx, v) } - - directive1 := func(ctx context.Context) (interface{}, error) { - if ec.directives.OneOf == nil { - var zeroVal *bool - return zeroVal, errors.New("directive oneOf is not implemented") - } - return ec.directives.OneOf(ctx, obj, directive0) - } - - tmp, err := directive1(ctx) + data, err := ec.unmarshalOBoolean2ᚖbool(ctx, v) if err != nil { - return it, graphql.ErrorOnPath(ctx, err) - } - if data, ok := tmp.(*bool); ok { - it.Eq = data - } else if tmp == nil { - it.Eq = nil - } else { - err := fmt.Errorf(`unexpected type %T from directive, should be *bool`, tmp) - return it, graphql.ErrorOnPath(ctx, err) + return it, err } + it.Eq = data } } return it, nil } -func (ec *executionContext) unmarshalInputDateTimeFilter(ctx context.Context, obj interface{}) (model.DateTimeFilter, error) { +func (ec *executionContext) unmarshalInputDateTimeFilter(ctx context.Context, obj any) (model.DateTimeFilter, error) { var it model.DateTimeFilter - asMap := map[string]interface{}{} - for k, v := range obj.(map[string]interface{}) { + asMap := map[string]any{} + for k, v := range obj.(map[string]any) { asMap[k] = v } @@ -4296,134 +4565,49 @@ func (ec *executionContext) unmarshalInputDateTimeFilter(ctx context.Context, ob switch k { case "eq": ctx := graphql.WithPathContext(ctx, graphql.NewPathWithField("eq")) - directive0 := func(ctx context.Context) (interface{}, error) { return ec.unmarshalODateTime2ᚖtimeᚐTime(ctx, v) } - - directive1 := func(ctx context.Context) (interface{}, error) { - if ec.directives.OneOf == nil { - var zeroVal *time.Time - return zeroVal, errors.New("directive oneOf is not implemented") - } - return ec.directives.OneOf(ctx, obj, directive0) - } - - tmp, err := directive1(ctx) + data, err := ec.unmarshalODateTime2ᚖtimeᚐTime(ctx, v) if err != nil { - return it, graphql.ErrorOnPath(ctx, err) - } - if data, ok := tmp.(*time.Time); ok { - it.Eq = data - } else if tmp == nil { - it.Eq = nil - } else { - err := fmt.Errorf(`unexpected type %T from directive, should be *time.Time`, tmp) - return it, graphql.ErrorOnPath(ctx, err) + return it, err } + it.Eq = data case "gt": ctx := graphql.WithPathContext(ctx, graphql.NewPathWithField("gt")) - directive0 := func(ctx context.Context) (interface{}, error) { return ec.unmarshalODateTime2ᚖtimeᚐTime(ctx, v) } - - directive1 := func(ctx context.Context) (interface{}, error) { - if ec.directives.OneOf == nil { - var zeroVal *time.Time - return zeroVal, errors.New("directive oneOf is not implemented") - } - return ec.directives.OneOf(ctx, obj, directive0) - } - - tmp, err := directive1(ctx) + data, err := ec.unmarshalODateTime2ᚖtimeᚐTime(ctx, v) if err != nil { - return it, graphql.ErrorOnPath(ctx, err) - } - if data, ok := tmp.(*time.Time); ok { - it.Gt = data - } else if tmp == nil { - it.Gt = nil - } else { - err := fmt.Errorf(`unexpected type %T from directive, should be *time.Time`, tmp) - return it, graphql.ErrorOnPath(ctx, err) + return it, err } + it.Gt = data case "lt": ctx := graphql.WithPathContext(ctx, graphql.NewPathWithField("lt")) - directive0 := func(ctx context.Context) (interface{}, error) { return ec.unmarshalODateTime2ᚖtimeᚐTime(ctx, v) } - - directive1 := func(ctx context.Context) (interface{}, error) { - if ec.directives.OneOf == nil { - var zeroVal *time.Time - return zeroVal, errors.New("directive oneOf is not implemented") - } - return ec.directives.OneOf(ctx, obj, directive0) - } - - tmp, err := directive1(ctx) + data, err := ec.unmarshalODateTime2ᚖtimeᚐTime(ctx, v) if err != nil { - return it, graphql.ErrorOnPath(ctx, err) - } - if data, ok := tmp.(*time.Time); ok { - it.Lt = data - } else if tmp == nil { - it.Lt = nil - } else { - err := fmt.Errorf(`unexpected type %T from directive, should be *time.Time`, tmp) - return it, graphql.ErrorOnPath(ctx, err) + return it, err } + it.Lt = data case "gte": ctx := graphql.WithPathContext(ctx, graphql.NewPathWithField("gte")) - directive0 := func(ctx context.Context) (interface{}, error) { return ec.unmarshalODateTime2ᚖtimeᚐTime(ctx, v) } - - directive1 := func(ctx context.Context) (interface{}, error) { - if ec.directives.OneOf == nil { - var zeroVal *time.Time - return zeroVal, errors.New("directive oneOf is not implemented") - } - return ec.directives.OneOf(ctx, obj, directive0) - } - - tmp, err := directive1(ctx) + data, err := ec.unmarshalODateTime2ᚖtimeᚐTime(ctx, v) if err != nil { - return it, graphql.ErrorOnPath(ctx, err) - } - if data, ok := tmp.(*time.Time); ok { - it.Gte = data - } else if tmp == nil { - it.Gte = nil - } else { - err := fmt.Errorf(`unexpected type %T from directive, should be *time.Time`, tmp) - return it, graphql.ErrorOnPath(ctx, err) + return it, err } + it.Gte = data case "lte": ctx := graphql.WithPathContext(ctx, graphql.NewPathWithField("lte")) - directive0 := func(ctx context.Context) (interface{}, error) { return ec.unmarshalODateTime2ᚖtimeᚐTime(ctx, v) } - - directive1 := func(ctx context.Context) (interface{}, error) { - if ec.directives.OneOf == nil { - var zeroVal *time.Time - return zeroVal, errors.New("directive oneOf is not implemented") - } - return ec.directives.OneOf(ctx, obj, directive0) - } - - tmp, err := directive1(ctx) + data, err := ec.unmarshalODateTime2ᚖtimeᚐTime(ctx, v) if err != nil { - return it, graphql.ErrorOnPath(ctx, err) - } - if data, ok := tmp.(*time.Time); ok { - it.Lte = data - } else if tmp == nil { - it.Lte = nil - } else { - err := fmt.Errorf(`unexpected type %T from directive, should be *time.Time`, tmp) - return it, graphql.ErrorOnPath(ctx, err) + return it, err } + it.Lte = data } } return it, nil } -func (ec *executionContext) unmarshalInputIntFilter(ctx context.Context, obj interface{}) (model.IntFilter, error) { +func (ec *executionContext) unmarshalInputIntFilter(ctx context.Context, obj any) (model.IntFilter, error) { var it model.IntFilter - asMap := map[string]interface{}{} - for k, v := range obj.(map[string]interface{}) { + asMap := map[string]any{} + for k, v := range obj.(map[string]any) { asMap[k] = v } @@ -4436,158 +4620,56 @@ func (ec *executionContext) unmarshalInputIntFilter(ctx context.Context, obj int switch k { case "eq": ctx := graphql.WithPathContext(ctx, graphql.NewPathWithField("eq")) - directive0 := func(ctx context.Context) (interface{}, error) { return ec.unmarshalOInt2ᚖint64(ctx, v) } - - directive1 := func(ctx context.Context) (interface{}, error) { - if ec.directives.OneOf == nil { - var zeroVal *int64 - return zeroVal, errors.New("directive oneOf is not implemented") - } - return ec.directives.OneOf(ctx, obj, directive0) - } - - tmp, err := directive1(ctx) + data, err := ec.unmarshalOInt2ᚖint64(ctx, v) if err != nil { - return it, graphql.ErrorOnPath(ctx, err) - } - if data, ok := tmp.(*int64); ok { - it.Eq = data - } else if tmp == nil { - it.Eq = nil - } else { - err := fmt.Errorf(`unexpected type %T from directive, should be *int64`, tmp) - return it, graphql.ErrorOnPath(ctx, err) + return it, err } + it.Eq = data case "gt": ctx := graphql.WithPathContext(ctx, graphql.NewPathWithField("gt")) - directive0 := func(ctx context.Context) (interface{}, error) { return ec.unmarshalOInt2ᚖint64(ctx, v) } - - directive1 := func(ctx context.Context) (interface{}, error) { - if ec.directives.OneOf == nil { - var zeroVal *int64 - return zeroVal, errors.New("directive oneOf is not implemented") - } - return ec.directives.OneOf(ctx, obj, directive0) - } - - tmp, err := directive1(ctx) + data, err := ec.unmarshalOInt2ᚖint64(ctx, v) if err != nil { - return it, graphql.ErrorOnPath(ctx, err) - } - if data, ok := tmp.(*int64); ok { - it.Gt = data - } else if tmp == nil { - it.Gt = nil - } else { - err := fmt.Errorf(`unexpected type %T from directive, should be *int64`, tmp) - return it, graphql.ErrorOnPath(ctx, err) + return it, err } + it.Gt = data case "lt": ctx := graphql.WithPathContext(ctx, graphql.NewPathWithField("lt")) - directive0 := func(ctx context.Context) (interface{}, error) { return ec.unmarshalOInt2ᚖint64(ctx, v) } - - directive1 := func(ctx context.Context) (interface{}, error) { - if ec.directives.OneOf == nil { - var zeroVal *int64 - return zeroVal, errors.New("directive oneOf is not implemented") - } - return ec.directives.OneOf(ctx, obj, directive0) - } - - tmp, err := directive1(ctx) + data, err := ec.unmarshalOInt2ᚖint64(ctx, v) if err != nil { - return it, graphql.ErrorOnPath(ctx, err) - } - if data, ok := tmp.(*int64); ok { - it.Lt = data - } else if tmp == nil { - it.Lt = nil - } else { - err := fmt.Errorf(`unexpected type %T from directive, should be *int64`, tmp) - return it, graphql.ErrorOnPath(ctx, err) + return it, err } + it.Lt = data case "gte": ctx := graphql.WithPathContext(ctx, graphql.NewPathWithField("gte")) - directive0 := func(ctx context.Context) (interface{}, error) { return ec.unmarshalOInt2ᚖint64(ctx, v) } - - directive1 := func(ctx context.Context) (interface{}, error) { - if ec.directives.OneOf == nil { - var zeroVal *int64 - return zeroVal, errors.New("directive oneOf is not implemented") - } - return ec.directives.OneOf(ctx, obj, directive0) - } - - tmp, err := directive1(ctx) + data, err := ec.unmarshalOInt2ᚖint64(ctx, v) if err != nil { - return it, graphql.ErrorOnPath(ctx, err) - } - if data, ok := tmp.(*int64); ok { - it.Gte = data - } else if tmp == nil { - it.Gte = nil - } else { - err := fmt.Errorf(`unexpected type %T from directive, should be *int64`, tmp) - return it, graphql.ErrorOnPath(ctx, err) + return it, err } + it.Gte = data case "lte": ctx := graphql.WithPathContext(ctx, graphql.NewPathWithField("lte")) - directive0 := func(ctx context.Context) (interface{}, error) { return ec.unmarshalOInt2ᚖint64(ctx, v) } - - directive1 := func(ctx context.Context) (interface{}, error) { - if ec.directives.OneOf == nil { - var zeroVal *int64 - return zeroVal, errors.New("directive oneOf is not implemented") - } - return ec.directives.OneOf(ctx, obj, directive0) - } - - tmp, err := directive1(ctx) + data, err := ec.unmarshalOInt2ᚖint64(ctx, v) if err != nil { - return it, graphql.ErrorOnPath(ctx, err) - } - if data, ok := tmp.(*int64); ok { - it.Lte = data - } else if tmp == nil { - it.Lte = nil - } else { - err := fmt.Errorf(`unexpected type %T from directive, should be *int64`, tmp) - return it, graphql.ErrorOnPath(ctx, err) + return it, err } + it.Lte = data case "in": ctx := graphql.WithPathContext(ctx, graphql.NewPathWithField("in")) - directive0 := func(ctx context.Context) (interface{}, error) { return ec.unmarshalOInt2ᚕint64ᚄ(ctx, v) } - - directive1 := func(ctx context.Context) (interface{}, error) { - if ec.directives.OneOf == nil { - var zeroVal []int64 - return zeroVal, errors.New("directive oneOf is not implemented") - } - return ec.directives.OneOf(ctx, obj, directive0) - } - - tmp, err := directive1(ctx) + data, err := ec.unmarshalOInt2ᚕint64ᚄ(ctx, v) if err != nil { - return it, graphql.ErrorOnPath(ctx, err) - } - if data, ok := tmp.([]int64); ok { - it.In = data - } else if tmp == nil { - it.In = nil - } else { - err := fmt.Errorf(`unexpected type %T from directive, should be []int64`, tmp) - return it, graphql.ErrorOnPath(ctx, err) + return it, err } + it.In = data } } return it, nil } -func (ec *executionContext) unmarshalInputPagination(ctx context.Context, obj interface{}) (model.Pagination, error) { +func (ec *executionContext) unmarshalInputPagination(ctx context.Context, obj any) (model.Pagination, error) { var it model.Pagination - asMap := map[string]interface{}{} - for k, v := range obj.(map[string]interface{}) { + asMap := map[string]any{} + for k, v := range obj.(map[string]any) { asMap[k] = v } @@ -4618,10 +4700,10 @@ func (ec *executionContext) unmarshalInputPagination(ctx context.Context, obj in return it, nil } -func (ec *executionContext) unmarshalInputQBitTorrentDaemonFilter(ctx context.Context, obj interface{}) (model.QBitTorrentDaemonFilter, error) { +func (ec *executionContext) unmarshalInputQBitTorrentDaemonFilter(ctx context.Context, obj any) (model.QBitTorrentDaemonFilter, error) { var it model.QBitTorrentDaemonFilter - asMap := map[string]interface{}{} - for k, v := range obj.(map[string]interface{}) { + asMap := map[string]any{} + for k, v := range obj.(map[string]any) { asMap[k] = v } @@ -4645,10 +4727,10 @@ func (ec *executionContext) unmarshalInputQBitTorrentDaemonFilter(ctx context.Co return it, nil } -func (ec *executionContext) unmarshalInputStringFilter(ctx context.Context, obj interface{}) (model.StringFilter, error) { +func (ec *executionContext) unmarshalInputStringFilter(ctx context.Context, obj any) (model.StringFilter, error) { var it model.StringFilter - asMap := map[string]interface{}{} - for k, v := range obj.(map[string]interface{}) { + asMap := map[string]any{} + for k, v := range obj.(map[string]any) { asMap[k] = v } @@ -4661,76 +4743,25 @@ func (ec *executionContext) unmarshalInputStringFilter(ctx context.Context, obj switch k { case "eq": ctx := graphql.WithPathContext(ctx, graphql.NewPathWithField("eq")) - directive0 := func(ctx context.Context) (interface{}, error) { return ec.unmarshalOString2ᚖstring(ctx, v) } - - directive1 := func(ctx context.Context) (interface{}, error) { - if ec.directives.OneOf == nil { - var zeroVal *string - return zeroVal, errors.New("directive oneOf is not implemented") - } - return ec.directives.OneOf(ctx, obj, directive0) - } - - tmp, err := directive1(ctx) + data, err := ec.unmarshalOString2ᚖstring(ctx, v) if err != nil { - return it, graphql.ErrorOnPath(ctx, err) - } - if data, ok := tmp.(*string); ok { - it.Eq = data - } else if tmp == nil { - it.Eq = nil - } else { - err := fmt.Errorf(`unexpected type %T from directive, should be *string`, tmp) - return it, graphql.ErrorOnPath(ctx, err) + return it, err } + it.Eq = data case "substr": ctx := graphql.WithPathContext(ctx, graphql.NewPathWithField("substr")) - directive0 := func(ctx context.Context) (interface{}, error) { return ec.unmarshalOString2ᚖstring(ctx, v) } - - directive1 := func(ctx context.Context) (interface{}, error) { - if ec.directives.OneOf == nil { - var zeroVal *string - return zeroVal, errors.New("directive oneOf is not implemented") - } - return ec.directives.OneOf(ctx, obj, directive0) - } - - tmp, err := directive1(ctx) + data, err := ec.unmarshalOString2ᚖstring(ctx, v) if err != nil { - return it, graphql.ErrorOnPath(ctx, err) - } - if data, ok := tmp.(*string); ok { - it.Substr = data - } else if tmp == nil { - it.Substr = nil - } else { - err := fmt.Errorf(`unexpected type %T from directive, should be *string`, tmp) - return it, graphql.ErrorOnPath(ctx, err) + return it, err } + it.Substr = data case "in": ctx := graphql.WithPathContext(ctx, graphql.NewPathWithField("in")) - directive0 := func(ctx context.Context) (interface{}, error) { return ec.unmarshalOString2ᚕstringᚄ(ctx, v) } - - directive1 := func(ctx context.Context) (interface{}, error) { - if ec.directives.OneOf == nil { - var zeroVal []string - return zeroVal, errors.New("directive oneOf is not implemented") - } - return ec.directives.OneOf(ctx, obj, directive0) - } - - tmp, err := directive1(ctx) + data, err := ec.unmarshalOString2ᚕstringᚄ(ctx, v) if err != nil { - return it, graphql.ErrorOnPath(ctx, err) - } - if data, ok := tmp.([]string); ok { - it.In = data - } else if tmp == nil { - it.In = nil - } else { - err := fmt.Errorf(`unexpected type %T from directive, should be []string`, tmp) - return it, graphql.ErrorOnPath(ctx, err) + return it, err } + it.In = data } } @@ -4784,13 +4815,6 @@ func (ec *executionContext) _FsEntry(ctx context.Context, sel ast.SelectionSet, switch obj := (obj).(type) { case nil: return graphql.Null - case model.SimpleDir: - return ec._SimpleDir(ctx, sel, &obj) - case *model.SimpleDir: - if obj == nil { - return graphql.Null - } - return ec._SimpleDir(ctx, sel, obj) case model.SimpleFile: return ec._SimpleFile(ctx, sel, &obj) case *model.SimpleFile: @@ -4798,6 +4822,13 @@ func (ec *executionContext) _FsEntry(ctx context.Context, sel ast.SelectionSet, return graphql.Null } return ec._SimpleFile(ctx, sel, obj) + case model.SimpleDir: + return ec._SimpleDir(ctx, sel, &obj) + case *model.SimpleDir: + if obj == nil { + return graphql.Null + } + return ec._SimpleDir(ctx, sel, obj) case model.ResolverFs: return ec._ResolverFS(ctx, sel, &obj) case *model.ResolverFs: @@ -4805,16 +4836,16 @@ func (ec *executionContext) _FsEntry(ctx context.Context, sel ast.SelectionSet, return graphql.Null } return ec._ResolverFS(ctx, sel, obj) - case model.Dir: - if obj == nil { - return graphql.Null - } - return ec._Dir(ctx, sel, obj) case model.File: if obj == nil { return graphql.Null } return ec._File(ctx, sel, obj) + case model.Dir: + if obj == nil { + return graphql.Null + } + return ec._Dir(ctx, sel, obj) default: panic(fmt.Errorf("unexpected type %T", obj)) } @@ -4893,6 +4924,47 @@ func (ec *executionContext) _Mutation(ctx context.Context, sel ast.SelectionSet) return out } +var pluginImplementors = []string{"Plugin"} + +func (ec *executionContext) _Plugin(ctx context.Context, sel ast.SelectionSet, obj *model.Plugin) graphql.Marshaler { + fields := graphql.CollectFields(ec.OperationContext, sel, pluginImplementors) + + out := graphql.NewFieldSet(fields) + deferred := make(map[string]*graphql.FieldSet) + for i, field := range fields { + switch field.Name { + case "__typename": + out.Values[i] = graphql.MarshalString("Plugin") + case "name": + out.Values[i] = ec._Plugin_name(ctx, field, obj) + if out.Values[i] == graphql.Null { + out.Invalids++ + } + case "endpountSubPath": + out.Values[i] = ec._Plugin_endpountSubPath(ctx, field, obj) + default: + panic("unknown field " + strconv.Quote(field.Name)) + } + } + out.Dispatch(ctx) + if out.Invalids > 0 { + return graphql.Null + } + + atomic.AddInt32(&ec.deferred, int32(len(deferred))) + + for label, dfs := range deferred { + ec.processDeferredGroup(graphql.DeferredGroup{ + Label: label, + Path: graphql.GetPath(ctx), + FieldSet: dfs, + Context: ctx, + }) + } + + return out +} + var qBitCleanupResponseImplementors = []string{"QBitCleanupResponse"} func (ec *executionContext) _QBitCleanupResponse(ctx context.Context, sel ast.SelectionSet, obj *model.QBitCleanupResponse) graphql.Marshaler { @@ -5256,16 +5328,19 @@ func (ec *executionContext) _Query(ctx context.Context, sel ast.SelectionSet) gr switch field.Name { case "__typename": out.Values[i] = graphql.MarshalString("Query") - case "qbitTorrentDaemon": + case "plugins": field := field - innerFunc := func(ctx context.Context, _ *graphql.FieldSet) (res graphql.Marshaler) { + innerFunc := func(ctx context.Context, fs *graphql.FieldSet) (res graphql.Marshaler) { defer func() { if r := recover(); r != nil { ec.Error(ctx, ec.Recover(ctx, r)) } }() - res = ec._Query_qbitTorrentDaemon(ctx, field) + res = ec._Query_plugins(ctx, field) + if res == graphql.Null { + atomic.AddUint32(&fs.Invalids, 1) + } return res } @@ -5634,6 +5709,11 @@ func (ec *executionContext) ___Directive(ctx context.Context, sel ast.SelectionS } case "description": out.Values[i] = ec.___Directive_description(ctx, field, obj) + case "isRepeatable": + out.Values[i] = ec.___Directive_isRepeatable(ctx, field, obj) + if out.Values[i] == graphql.Null { + out.Invalids++ + } case "locations": out.Values[i] = ec.___Directive_locations(ctx, field, obj) if out.Values[i] == graphql.Null { @@ -5644,11 +5724,6 @@ func (ec *executionContext) ___Directive(ctx context.Context, sel ast.SelectionS if out.Values[i] == graphql.Null { out.Invalids++ } - case "isRepeatable": - out.Values[i] = ec.___Directive_isRepeatable(ctx, field, obj) - if out.Values[i] == graphql.Null { - out.Invalids++ - } default: panic("unknown field " + strconv.Quote(field.Name)) } @@ -5803,6 +5878,13 @@ func (ec *executionContext) ___InputValue(ctx context.Context, sel ast.Selection } case "defaultValue": out.Values[i] = ec.___InputValue_defaultValue(ctx, field, obj) + case "isDeprecated": + out.Values[i] = ec.___InputValue_isDeprecated(ctx, field, obj) + if out.Values[i] == graphql.Null { + out.Invalids++ + } + case "deprecationReason": + out.Values[i] = ec.___InputValue_deprecationReason(ctx, field, obj) default: panic("unknown field " + strconv.Quote(field.Name)) } @@ -5901,6 +5983,8 @@ func (ec *executionContext) ___Type(ctx context.Context, sel ast.SelectionSet, o out.Values[i] = ec.___Type_name(ctx, field, obj) case "description": out.Values[i] = ec.___Type_description(ctx, field, obj) + case "specifiedByURL": + out.Values[i] = ec.___Type_specifiedByURL(ctx, field, obj) case "fields": out.Values[i] = ec.___Type_fields(ctx, field, obj) case "interfaces": @@ -5913,8 +5997,8 @@ func (ec *executionContext) ___Type(ctx context.Context, sel ast.SelectionSet, o out.Values[i] = ec.___Type_inputFields(ctx, field, obj) case "ofType": out.Values[i] = ec.___Type_ofType(ctx, field, obj) - case "specifiedByURL": - out.Values[i] = ec.___Type_specifiedByURL(ctx, field, obj) + case "isOneOf": + out.Values[i] = ec.___Type_isOneOf(ctx, field, obj) default: panic("unknown field " + strconv.Quote(field.Name)) } @@ -5942,7 +6026,7 @@ func (ec *executionContext) ___Type(ctx context.Context, sel ast.SelectionSet, o // region ***************************** type.gotpl ***************************** -func (ec *executionContext) unmarshalNBoolean2bool(ctx context.Context, v interface{}) (bool, error) { +func (ec *executionContext) unmarshalNBoolean2bool(ctx context.Context, v any) (bool, error) { res, err := graphql.UnmarshalBoolean(v) return res, graphql.ErrorOnPath(ctx, err) } @@ -6011,7 +6095,7 @@ func (ec *executionContext) marshalNFsEntry2ᚕgitᚗkmsignᚗruᚋroyalcatᚋts return ret } -func (ec *executionContext) unmarshalNID2string(ctx context.Context, v interface{}) (string, error) { +func (ec *executionContext) unmarshalNID2string(ctx context.Context, v any) (string, error) { res, err := graphql.UnmarshalID(v) return res, graphql.ErrorOnPath(ctx, err) } @@ -6026,7 +6110,7 @@ func (ec *executionContext) marshalNID2string(ctx context.Context, sel ast.Selec return res } -func (ec *executionContext) unmarshalNInt2int64(ctx context.Context, v interface{}) (int64, error) { +func (ec *executionContext) unmarshalNInt2int64(ctx context.Context, v any) (int64, error) { res, err := graphql.UnmarshalInt64(v) return res, graphql.ErrorOnPath(ctx, err) } @@ -6041,6 +6125,60 @@ func (ec *executionContext) marshalNInt2int64(ctx context.Context, sel ast.Selec return res } +func (ec *executionContext) marshalNPlugin2ᚕᚖgitᚗkmsignᚗruᚋroyalcatᚋtstorᚋsrcᚋdeliveryᚋgraphqlᚋmodelᚐPluginᚄ(ctx context.Context, sel ast.SelectionSet, v []*model.Plugin) graphql.Marshaler { + ret := make(graphql.Array, len(v)) + var wg sync.WaitGroup + isLen1 := len(v) == 1 + if !isLen1 { + wg.Add(len(v)) + } + for i := range v { + i := i + fc := &graphql.FieldContext{ + Index: &i, + Result: &v[i], + } + ctx := graphql.WithFieldContext(ctx, fc) + f := func(i int) { + defer func() { + if r := recover(); r != nil { + ec.Error(ctx, ec.Recover(ctx, r)) + ret = nil + } + }() + if !isLen1 { + defer wg.Done() + } + ret[i] = ec.marshalNPlugin2ᚖgitᚗkmsignᚗruᚋroyalcatᚋtstorᚋsrcᚋdeliveryᚋgraphqlᚋmodelᚐPlugin(ctx, sel, v[i]) + } + if isLen1 { + f(i) + } else { + go f(i) + } + + } + wg.Wait() + + for _, e := range ret { + if e == graphql.Null { + return graphql.Null + } + } + + return ret +} + +func (ec *executionContext) marshalNPlugin2ᚖgitᚗkmsignᚗruᚋroyalcatᚋtstorᚋsrcᚋdeliveryᚋgraphqlᚋmodelᚐPlugin(ctx context.Context, sel ast.SelectionSet, v *model.Plugin) graphql.Marshaler { + if v == nil { + if !graphql.HasFieldError(ctx, graphql.GetFieldContext(ctx)) { + ec.Errorf(ctx, "the requested element is null which the schema does not allow") + } + return graphql.Null + } + return ec._Plugin(ctx, sel, v) +} + func (ec *executionContext) marshalNQBitCleanupResponse2ᚖgitᚗkmsignᚗruᚋroyalcatᚋtstorᚋsrcᚋdeliveryᚋgraphqlᚋmodelᚐQBitCleanupResponse(ctx context.Context, sel ast.SelectionSet, v *model.QBitCleanupResponse) graphql.Marshaler { if v == nil { if !graphql.HasFieldError(ctx, graphql.GetFieldContext(ctx)) { @@ -6115,7 +6253,7 @@ func (ec *executionContext) marshalNQTorrent2ᚖgitᚗkmsignᚗruᚋroyalcatᚋt return ec._QTorrent(ctx, sel, v) } -func (ec *executionContext) unmarshalNString2string(ctx context.Context, v interface{}) (string, error) { +func (ec *executionContext) unmarshalNString2string(ctx context.Context, v any) (string, error) { res, err := graphql.UnmarshalString(v) return res, graphql.ErrorOnPath(ctx, err) } @@ -6130,11 +6268,9 @@ func (ec *executionContext) marshalNString2string(ctx context.Context, sel ast.S return res } -func (ec *executionContext) unmarshalNString2ᚕstringᚄ(ctx context.Context, v interface{}) ([]string, error) { - var vSlice []interface{} - if v != nil { - vSlice = graphql.CoerceList(v) - } +func (ec *executionContext) unmarshalNString2ᚕstringᚄ(ctx context.Context, v any) ([]string, error) { + var vSlice []any + vSlice = graphql.CoerceList(v) var err error res := make([]string, len(vSlice)) for i := range vSlice { @@ -6162,7 +6298,7 @@ func (ec *executionContext) marshalNString2ᚕstringᚄ(ctx context.Context, sel return ret } -func (ec *executionContext) unmarshalNUpload2githubᚗcomᚋ99designsᚋgqlgenᚋgraphqlᚐUpload(ctx context.Context, v interface{}) (graphql.Upload, error) { +func (ec *executionContext) unmarshalNUpload2githubᚗcomᚋ99designsᚋgqlgenᚋgraphqlᚐUpload(ctx context.Context, v any) (graphql.Upload, error) { res, err := graphql.UnmarshalUpload(v) return res, graphql.ErrorOnPath(ctx, err) } @@ -6225,7 +6361,7 @@ func (ec *executionContext) marshalN__Directive2ᚕgithubᚗcomᚋ99designsᚋgq return ret } -func (ec *executionContext) unmarshalN__DirectiveLocation2string(ctx context.Context, v interface{}) (string, error) { +func (ec *executionContext) unmarshalN__DirectiveLocation2string(ctx context.Context, v any) (string, error) { res, err := graphql.UnmarshalString(v) return res, graphql.ErrorOnPath(ctx, err) } @@ -6240,11 +6376,9 @@ func (ec *executionContext) marshalN__DirectiveLocation2string(ctx context.Conte return res } -func (ec *executionContext) unmarshalN__DirectiveLocation2ᚕstringᚄ(ctx context.Context, v interface{}) ([]string, error) { - var vSlice []interface{} - if v != nil { - vSlice = graphql.CoerceList(v) - } +func (ec *executionContext) unmarshalN__DirectiveLocation2ᚕstringᚄ(ctx context.Context, v any) ([]string, error) { + var vSlice []any + vSlice = graphql.CoerceList(v) var err error res := make([]string, len(vSlice)) for i := range vSlice { @@ -6415,7 +6549,7 @@ func (ec *executionContext) marshalN__Type2ᚖgithubᚗcomᚋ99designsᚋgqlgen return ec.___Type(ctx, sel, v) } -func (ec *executionContext) unmarshalN__TypeKind2string(ctx context.Context, v interface{}) (string, error) { +func (ec *executionContext) unmarshalN__TypeKind2string(ctx context.Context, v any) (string, error) { res, err := graphql.UnmarshalString(v) return res, graphql.ErrorOnPath(ctx, err) } @@ -6430,7 +6564,7 @@ func (ec *executionContext) marshalN__TypeKind2string(ctx context.Context, sel a return res } -func (ec *executionContext) unmarshalOBoolean2bool(ctx context.Context, v interface{}) (bool, error) { +func (ec *executionContext) unmarshalOBoolean2bool(ctx context.Context, v any) (bool, error) { res, err := graphql.UnmarshalBoolean(v) return res, graphql.ErrorOnPath(ctx, err) } @@ -6440,7 +6574,7 @@ func (ec *executionContext) marshalOBoolean2bool(ctx context.Context, sel ast.Se return res } -func (ec *executionContext) unmarshalOBoolean2ᚖbool(ctx context.Context, v interface{}) (*bool, error) { +func (ec *executionContext) unmarshalOBoolean2ᚖbool(ctx context.Context, v any) (*bool, error) { if v == nil { return nil, nil } @@ -6456,7 +6590,7 @@ func (ec *executionContext) marshalOBoolean2ᚖbool(ctx context.Context, sel ast return res } -func (ec *executionContext) unmarshalODateTime2ᚖtimeᚐTime(ctx context.Context, v interface{}) (*time.Time, error) { +func (ec *executionContext) unmarshalODateTime2ᚖtimeᚐTime(ctx context.Context, v any) (*time.Time, error) { if v == nil { return nil, nil } @@ -6479,14 +6613,12 @@ func (ec *executionContext) marshalOFsEntry2gitᚗkmsignᚗruᚋroyalcatᚋtstor return ec._FsEntry(ctx, sel, v) } -func (ec *executionContext) unmarshalOInt2ᚕint64ᚄ(ctx context.Context, v interface{}) ([]int64, error) { +func (ec *executionContext) unmarshalOInt2ᚕint64ᚄ(ctx context.Context, v any) ([]int64, error) { if v == nil { return nil, nil } - var vSlice []interface{} - if v != nil { - vSlice = graphql.CoerceList(v) - } + var vSlice []any + vSlice = graphql.CoerceList(v) var err error res := make([]int64, len(vSlice)) for i := range vSlice { @@ -6517,7 +6649,7 @@ func (ec *executionContext) marshalOInt2ᚕint64ᚄ(ctx context.Context, sel ast return ret } -func (ec *executionContext) unmarshalOInt2ᚖint64(ctx context.Context, v interface{}) (*int64, error) { +func (ec *executionContext) unmarshalOInt2ᚖint64(ctx context.Context, v any) (*int64, error) { if v == nil { return nil, nil } @@ -6533,7 +6665,7 @@ func (ec *executionContext) marshalOInt2ᚖint64(ctx context.Context, sel ast.Se return res } -func (ec *executionContext) unmarshalOIntFilter2ᚖgitᚗkmsignᚗruᚋroyalcatᚋtstorᚋsrcᚋdeliveryᚋgraphqlᚋmodelᚐIntFilter(ctx context.Context, v interface{}) (*model.IntFilter, error) { +func (ec *executionContext) unmarshalOIntFilter2ᚖgitᚗkmsignᚗruᚋroyalcatᚋtstorᚋsrcᚋdeliveryᚋgraphqlᚋmodelᚐIntFilter(ctx context.Context, v any) (*model.IntFilter, error) { if v == nil { return nil, nil } @@ -6555,7 +6687,7 @@ func (ec *executionContext) marshalOProgress2gitᚗkmsignᚗruᚋroyalcatᚋtsto return ec._Progress(ctx, sel, v) } -func (ec *executionContext) unmarshalOQBitTorrentDaemonFilter2ᚖgitᚗkmsignᚗruᚋroyalcatᚋtstorᚋsrcᚋdeliveryᚋgraphqlᚋmodelᚐQBitTorrentDaemonFilter(ctx context.Context, v interface{}) (*model.QBitTorrentDaemonFilter, error) { +func (ec *executionContext) unmarshalOQBitTorrentDaemonFilter2ᚖgitᚗkmsignᚗruᚋroyalcatᚋtstorᚋsrcᚋdeliveryᚋgraphqlᚋmodelᚐQBitTorrentDaemonFilter(ctx context.Context, v any) (*model.QBitTorrentDaemonFilter, error) { if v == nil { return nil, nil } @@ -6570,13 +6702,6 @@ func (ec *executionContext) marshalOQBitTorrentDaemonMutation2ᚖgitᚗkmsignᚗ return ec._QBitTorrentDaemonMutation(ctx, sel, v) } -func (ec *executionContext) marshalOQBitTorrentDaemonQuery2ᚖgitᚗkmsignᚗruᚋroyalcatᚋtstorᚋsrcᚋdeliveryᚋgraphqlᚋmodelᚐQBitTorrentDaemonQuery(ctx context.Context, sel ast.SelectionSet, v *model.QBitTorrentDaemonQuery) graphql.Marshaler { - if v == nil { - return graphql.Null - } - return ec._QBitTorrentDaemonQuery(ctx, sel, v) -} - func (ec *executionContext) marshalOQuery2ᚖgitᚗkmsignᚗruᚋroyalcatᚋtstorᚋsrcᚋdeliveryᚋgraphqlᚋmodelᚐQuery(ctx context.Context, sel ast.SelectionSet, v *model.Query) graphql.Marshaler { if v == nil { return graphql.Null @@ -6584,14 +6709,12 @@ func (ec *executionContext) marshalOQuery2ᚖgitᚗkmsignᚗruᚋroyalcatᚋtsto return ec._Query(ctx, sel) } -func (ec *executionContext) unmarshalOString2ᚕstringᚄ(ctx context.Context, v interface{}) ([]string, error) { +func (ec *executionContext) unmarshalOString2ᚕstringᚄ(ctx context.Context, v any) ([]string, error) { if v == nil { return nil, nil } - var vSlice []interface{} - if v != nil { - vSlice = graphql.CoerceList(v) - } + var vSlice []any + vSlice = graphql.CoerceList(v) var err error res := make([]string, len(vSlice)) for i := range vSlice { @@ -6622,7 +6745,7 @@ func (ec *executionContext) marshalOString2ᚕstringᚄ(ctx context.Context, sel return ret } -func (ec *executionContext) unmarshalOString2ᚖstring(ctx context.Context, v interface{}) (*string, error) { +func (ec *executionContext) unmarshalOString2ᚖstring(ctx context.Context, v any) (*string, error) { if v == nil { return nil, nil } diff --git a/src/delivery/graphql/model/entry.go b/server/src/delivery/graphql/model/entry.go similarity index 95% rename from src/delivery/graphql/model/entry.go rename to server/src/delivery/graphql/model/entry.go index 4e7bb68..0eca47a 100644 --- a/src/delivery/graphql/model/entry.go +++ b/server/src/delivery/graphql/model/entry.go @@ -3,7 +3,7 @@ package model import ( "context" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" ) type FsElem interface { diff --git a/src/delivery/graphql/model/filter.go b/server/src/delivery/graphql/model/filter.go similarity index 100% rename from src/delivery/graphql/model/filter.go rename to server/src/delivery/graphql/model/filter.go diff --git a/src/delivery/graphql/model/mappers.go b/server/src/delivery/graphql/model/mappers.go similarity index 100% rename from src/delivery/graphql/model/mappers.go rename to server/src/delivery/graphql/model/mappers.go diff --git a/src/delivery/graphql/model/models_gen.go b/server/src/delivery/graphql/model/models_gen.go similarity index 95% rename from src/delivery/graphql/model/models_gen.go rename to server/src/delivery/graphql/model/models_gen.go index 7118904..095f1b8 100644 --- a/src/delivery/graphql/model/models_gen.go +++ b/server/src/delivery/graphql/model/models_gen.go @@ -5,7 +5,7 @@ package model import ( "time" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" ) type Dir interface { @@ -62,6 +62,11 @@ type Pagination struct { Limit int64 `json:"limit"` } +type Plugin struct { + Name string `json:"name"` + EndpountSubPath *string `json:"endpountSubPath,omitempty"` +} + type QBitCleanupResponse struct { Count int64 `json:"count"` Hashes []string `json:"hashes"` diff --git a/src/delivery/graphql/oneof.go b/server/src/delivery/graphql/oneof.go similarity index 100% rename from src/delivery/graphql/oneof.go rename to server/src/delivery/graphql/oneof.go diff --git a/src/delivery/graphql/resolver/fs.resolvers.go b/server/src/delivery/graphql/resolver/fs.resolvers.go similarity index 88% rename from src/delivery/graphql/resolver/fs.resolvers.go rename to server/src/delivery/graphql/resolver/fs.resolvers.go index 106f2c2..e4cb3ea 100644 --- a/src/delivery/graphql/resolver/fs.resolvers.go +++ b/server/src/delivery/graphql/resolver/fs.resolvers.go @@ -2,13 +2,13 @@ package resolver // This file will be automatically regenerated based on the schema, any resolver implementations // will be copied through when generating and any unknown code will be moved to the end. -// Code generated by github.com/99designs/gqlgen version v0.17.55 +// Code generated by github.com/99designs/gqlgen version v0.17.68 import ( "context" - graph "git.kmsign.ru/royalcat/tstor/src/delivery/graphql" - "git.kmsign.ru/royalcat/tstor/src/delivery/graphql/model" + graph "git.kmsign.ru/royalcat/tstor/server/src/delivery/graphql" + "git.kmsign.ru/royalcat/tstor/server/src/delivery/graphql/model" ) // Entries is the resolver for the entries field. diff --git a/src/delivery/graphql/resolver/mutation.resolvers.go b/server/src/delivery/graphql/resolver/mutation.resolvers.go similarity index 88% rename from src/delivery/graphql/resolver/mutation.resolvers.go rename to server/src/delivery/graphql/resolver/mutation.resolvers.go index 8ef1e2d..f9985f9 100644 --- a/src/delivery/graphql/resolver/mutation.resolvers.go +++ b/server/src/delivery/graphql/resolver/mutation.resolvers.go @@ -2,7 +2,7 @@ package resolver // This file will be automatically regenerated based on the schema, any resolver implementations // will be copied through when generating and any unknown code will be moved to the end. -// Code generated by github.com/99designs/gqlgen version v0.17.55 +// Code generated by github.com/99designs/gqlgen version v0.17.68 import ( "context" @@ -11,8 +11,8 @@ import ( "os" pathlib "path" - graph "git.kmsign.ru/royalcat/tstor/src/delivery/graphql" - "git.kmsign.ru/royalcat/tstor/src/delivery/graphql/model" + graph "git.kmsign.ru/royalcat/tstor/server/src/delivery/graphql" + "git.kmsign.ru/royalcat/tstor/server/src/delivery/graphql/model" "github.com/99designs/gqlgen/graphql" ) diff --git a/src/delivery/graphql/resolver/qbittorrent_mutation.resolvers.go b/server/src/delivery/graphql/resolver/qbittorrent_mutation.resolvers.go similarity index 88% rename from src/delivery/graphql/resolver/qbittorrent_mutation.resolvers.go rename to server/src/delivery/graphql/resolver/qbittorrent_mutation.resolvers.go index c74f0a7..5821504 100644 --- a/src/delivery/graphql/resolver/qbittorrent_mutation.resolvers.go +++ b/server/src/delivery/graphql/resolver/qbittorrent_mutation.resolvers.go @@ -2,13 +2,13 @@ package resolver // This file will be automatically regenerated based on the schema, any resolver implementations // will be copied through when generating and any unknown code will be moved to the end. -// Code generated by github.com/99designs/gqlgen version v0.17.55 +// Code generated by github.com/99designs/gqlgen version v0.17.68 import ( "context" - graph "git.kmsign.ru/royalcat/tstor/src/delivery/graphql" - "git.kmsign.ru/royalcat/tstor/src/delivery/graphql/model" + graph "git.kmsign.ru/royalcat/tstor/server/src/delivery/graphql" + "git.kmsign.ru/royalcat/tstor/server/src/delivery/graphql/model" ) // Cleanup is the resolver for the cleanup field. diff --git a/src/delivery/graphql/resolver/qbittorrent_query.resolvers.go b/server/src/delivery/graphql/resolver/qbittorrent_query.resolvers.go similarity index 88% rename from src/delivery/graphql/resolver/qbittorrent_query.resolvers.go rename to server/src/delivery/graphql/resolver/qbittorrent_query.resolvers.go index f402592..ff99ab8 100644 --- a/src/delivery/graphql/resolver/qbittorrent_query.resolvers.go +++ b/server/src/delivery/graphql/resolver/qbittorrent_query.resolvers.go @@ -2,13 +2,13 @@ package resolver // This file will be automatically regenerated based on the schema, any resolver implementations // will be copied through when generating and any unknown code will be moved to the end. -// Code generated by github.com/99designs/gqlgen version v0.17.55 +// Code generated by github.com/99designs/gqlgen version v0.17.68 import ( "context" - graph "git.kmsign.ru/royalcat/tstor/src/delivery/graphql" - "git.kmsign.ru/royalcat/tstor/src/delivery/graphql/model" + graph "git.kmsign.ru/royalcat/tstor/server/src/delivery/graphql" + "git.kmsign.ru/royalcat/tstor/server/src/delivery/graphql/model" ) // Torrents is the resolver for the torrents field. diff --git a/src/delivery/graphql/resolver/qbittorrent_types.resolvers.go b/server/src/delivery/graphql/resolver/qbittorrent_types.resolvers.go similarity index 76% rename from src/delivery/graphql/resolver/qbittorrent_types.resolvers.go rename to server/src/delivery/graphql/resolver/qbittorrent_types.resolvers.go index 2ab8f9d..2588249 100644 --- a/src/delivery/graphql/resolver/qbittorrent_types.resolvers.go +++ b/server/src/delivery/graphql/resolver/qbittorrent_types.resolvers.go @@ -2,13 +2,13 @@ package resolver // This file will be automatically regenerated based on the schema, any resolver implementations // will be copied through when generating and any unknown code will be moved to the end. -// Code generated by github.com/99designs/gqlgen version v0.17.55 +// Code generated by github.com/99designs/gqlgen version v0.17.68 import ( "context" - graph "git.kmsign.ru/royalcat/tstor/src/delivery/graphql" - "git.kmsign.ru/royalcat/tstor/src/delivery/graphql/model" + graph "git.kmsign.ru/royalcat/tstor/server/src/delivery/graphql" + "git.kmsign.ru/royalcat/tstor/server/src/delivery/graphql/model" ) // SourceFiles is the resolver for the sourceFiles field. diff --git a/src/delivery/graphql/resolver/query.resolvers.go b/server/src/delivery/graphql/resolver/query.resolvers.go similarity index 62% rename from src/delivery/graphql/resolver/query.resolvers.go rename to server/src/delivery/graphql/resolver/query.resolvers.go index 30d0fcd..0937fcf 100644 --- a/src/delivery/graphql/resolver/query.resolvers.go +++ b/server/src/delivery/graphql/resolver/query.resolvers.go @@ -2,18 +2,19 @@ package resolver // This file will be automatically regenerated based on the schema, any resolver implementations // will be copied through when generating and any unknown code will be moved to the end. -// Code generated by github.com/99designs/gqlgen version v0.17.55 +// Code generated by github.com/99designs/gqlgen version v0.17.68 import ( "context" + "fmt" - graph "git.kmsign.ru/royalcat/tstor/src/delivery/graphql" - "git.kmsign.ru/royalcat/tstor/src/delivery/graphql/model" + graph "git.kmsign.ru/royalcat/tstor/server/src/delivery/graphql" + "git.kmsign.ru/royalcat/tstor/server/src/delivery/graphql/model" ) -// QbitTorrentDaemon is the resolver for the qbitTorrentDaemon field. -func (r *queryResolver) QbitTorrentDaemon(ctx context.Context) (*model.QBitTorrentDaemonQuery, error) { - return &model.QBitTorrentDaemonQuery{}, nil +// Plugins is the resolver for the plugins field. +func (r *queryResolver) Plugins(ctx context.Context) ([]*model.Plugin, error) { + panic(fmt.Errorf("not implemented: Plugins - plugins")) } // FsEntry is the resolver for the fsEntry field. diff --git a/src/delivery/graphql/resolver/resolver.go b/server/src/delivery/graphql/resolver/resolver.go similarity index 71% rename from src/delivery/graphql/resolver/resolver.go rename to server/src/delivery/graphql/resolver/resolver.go index 86bfcd5..f6354b5 100644 --- a/src/delivery/graphql/resolver/resolver.go +++ b/server/src/delivery/graphql/resolver/resolver.go @@ -1,7 +1,7 @@ package resolver import ( - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" "github.com/go-git/go-billy/v5" ) @@ -11,6 +11,6 @@ import ( type Resolver struct { // QBitTorrentDaemon *qbittorrent.Daemon - VFS vfs.Filesystem - SourceFS billy.Filesystem + VFS vfs.Filesystem + SourceFS billy.Filesystem } diff --git a/src/delivery/graphql/resolver/subscription.resolvers.go b/server/src/delivery/graphql/resolver/subscription.resolvers.go similarity index 77% rename from src/delivery/graphql/resolver/subscription.resolvers.go rename to server/src/delivery/graphql/resolver/subscription.resolvers.go index 9104757..d92377f 100644 --- a/src/delivery/graphql/resolver/subscription.resolvers.go +++ b/server/src/delivery/graphql/resolver/subscription.resolvers.go @@ -2,14 +2,14 @@ package resolver // This file will be automatically regenerated based on the schema, any resolver implementations // will be copied through when generating and any unknown code will be moved to the end. -// Code generated by github.com/99designs/gqlgen version v0.17.55 +// Code generated by github.com/99designs/gqlgen version v0.17.68 import ( "context" "fmt" - graph "git.kmsign.ru/royalcat/tstor/src/delivery/graphql" - "git.kmsign.ru/royalcat/tstor/src/delivery/graphql/model" + graph "git.kmsign.ru/royalcat/tstor/server/src/delivery/graphql" + "git.kmsign.ru/royalcat/tstor/server/src/delivery/graphql/model" ) // TaskProgress is the resolver for the taskProgress field. diff --git a/src/delivery/graphql/resolver/utils.go b/server/src/delivery/graphql/resolver/utils.go similarity index 100% rename from src/delivery/graphql/resolver/utils.go rename to server/src/delivery/graphql/resolver/utils.go diff --git a/src/delivery/http.go b/server/src/delivery/http.go similarity index 86% rename from src/delivery/http.go rename to server/src/delivery/http.go index 3c32b88..97aef94 100644 --- a/src/delivery/http.go +++ b/server/src/delivery/http.go @@ -5,10 +5,10 @@ import ( "log/slog" "net/http" - "git.kmsign.ru/royalcat/tstor/pkg/rlog" - "git.kmsign.ru/royalcat/tstor/src/config" - "git.kmsign.ru/royalcat/tstor/src/daemon" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/pkg/rlog" + "git.kmsign.ru/royalcat/tstor/server/src/config" + "git.kmsign.ru/royalcat/tstor/server/src/daemon" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" echopprof "github.com/labstack/echo-contrib/pprof" "github.com/labstack/echo/v4" "github.com/labstack/echo/v4/middleware" @@ -35,7 +35,7 @@ func Run(cfg config.WebUi, vfs vfs.Filesystem, daemons []daemon.Daemon) error { echopprof.Register(r) - r.Any("/graphql", echo.WrapHandler((GraphQLHandler(nil, vfs)))) + r.Any("/graphql", echo.WrapHandler((GraphQLHandler(vfs)))) r.GET("/metrics", echo.WrapHandler(promhttp.Handler())) log.Info("starting webserver", "host", fmt.Sprintf("%s:%d", cfg.IP, cfg.Port)) diff --git a/src/delivery/model.go b/server/src/delivery/model.go similarity index 100% rename from src/delivery/model.go rename to server/src/delivery/model.go diff --git a/src/delivery/router.go b/server/src/delivery/router.go similarity index 88% rename from src/delivery/router.go rename to server/src/delivery/router.go index 4a5aebc..d12aab6 100644 --- a/src/delivery/router.go +++ b/server/src/delivery/router.go @@ -4,10 +4,9 @@ import ( "context" "net/http" - - graph "git.kmsign.ru/royalcat/tstor/src/delivery/graphql" - "git.kmsign.ru/royalcat/tstor/src/delivery/graphql/resolver" - "git.kmsign.ru/royalcat/tstor/src/vfs" + graph "git.kmsign.ru/royalcat/tstor/server/src/delivery/graphql" + "git.kmsign.ru/royalcat/tstor/server/src/delivery/graphql/resolver" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" "github.com/99designs/gqlgen/graphql" "github.com/99designs/gqlgen/graphql/handler" "github.com/99designs/gqlgen/graphql/handler/extension" @@ -26,10 +25,9 @@ func GraphQLHandler(vfs vfs.Filesystem) http.Handler { graph.Config{ Resolvers: &resolver.Resolver{ // QBitTorrentDaemon: qbitdaemon, - VFS: vfs, + VFS: vfs, }, Directives: graph.DirectiveRoot{ - OneOf: graph.OneOf, Resolver: noopDirective, Stream: noopDirective, }, diff --git a/src/export/fuse/handler.go b/server/src/export/fuse/handler.go similarity index 95% rename from src/export/fuse/handler.go rename to server/src/export/fuse/handler.go index 4b9f087..d43db8c 100644 --- a/src/export/fuse/handler.go +++ b/server/src/export/fuse/handler.go @@ -1,4 +1,4 @@ -//go:build cgo +//go:build cgofuse package fuse @@ -8,7 +8,7 @@ import ( "path/filepath" "runtime" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" "github.com/billziss-gh/cgofuse/fuse" ) diff --git a/src/export/fuse/handler_nocgo.go b/server/src/export/fuse/handler_nocgo.go similarity index 83% rename from src/export/fuse/handler_nocgo.go rename to server/src/export/fuse/handler_nocgo.go index 7f0bd4f..635dafb 100644 --- a/src/export/fuse/handler_nocgo.go +++ b/server/src/export/fuse/handler_nocgo.go @@ -1,11 +1,9 @@ -//go:build !cgo - package fuse import ( "fmt" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" ) type Handler struct{} diff --git a/src/export/fuse/mount.go b/server/src/export/fuse/mount.go similarity index 98% rename from src/export/fuse/mount.go rename to server/src/export/fuse/mount.go index 579f045..bc13be9 100644 --- a/src/export/fuse/mount.go +++ b/server/src/export/fuse/mount.go @@ -1,4 +1,4 @@ -//go:build cgo +//go:build cgofuse package fuse @@ -11,7 +11,7 @@ import ( "os" "sync" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" "github.com/billziss-gh/cgofuse/fuse" ) diff --git a/src/export/fuse/mount_test.go b/server/src/export/fuse/mount_test.go similarity index 94% rename from src/export/fuse/mount_test.go rename to server/src/export/fuse/mount_test.go index 6b78a81..47b3bca 100644 --- a/src/export/fuse/mount_test.go +++ b/server/src/export/fuse/mount_test.go @@ -1,4 +1,4 @@ -//go:build cgo +//go:build cgofuse package fuse @@ -9,7 +9,7 @@ import ( "testing" "time" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" "github.com/stretchr/testify/require" ) diff --git a/src/export/httpfs/httpfs.go b/server/src/export/httpfs/httpfs.go similarity index 92% rename from src/export/httpfs/httpfs.go rename to server/src/export/httpfs/httpfs.go index 3eaf4b7..f6c7c38 100644 --- a/src/export/httpfs/httpfs.go +++ b/server/src/export/httpfs/httpfs.go @@ -8,8 +8,8 @@ import ( "os" "sync" - "git.kmsign.ru/royalcat/tstor/pkg/ioutils" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/pkg/ioutils" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" "go.opentelemetry.io/otel" "go.opentelemetry.io/otel/attribute" "go.opentelemetry.io/otel/trace" @@ -17,7 +17,7 @@ import ( var _ http.FileSystem = &HTTPFS{} -var httpFsTracer = otel.Tracer("git.kmsign.ru/royalcat/tstor/src/export/httpfs.HTTPFS") +var httpFsTracer = otel.Tracer("git.kmsign.ru/royalcat/tstor/server/src/export/httpfs.HTTPFS") type HTTPFS struct { fs vfs.Filesystem diff --git a/src/export/nfs/handler.go b/server/src/export/nfs/handler.go similarity index 65% rename from src/export/nfs/handler.go rename to server/src/export/nfs/handler.go index cbb4030..8cd6f40 100644 --- a/src/export/nfs/handler.go +++ b/server/src/export/nfs/handler.go @@ -4,11 +4,11 @@ import ( "log/slog" "time" - nfs "git.kmsign.ru/royalcat/tstor/pkg/go-nfs" - nfshelper "git.kmsign.ru/royalcat/tstor/pkg/go-nfs/helpers" - "git.kmsign.ru/royalcat/tstor/src/config" - "git.kmsign.ru/royalcat/tstor/src/logwrap" - "git.kmsign.ru/royalcat/tstor/src/vfs" + nfs "git.kmsign.ru/royalcat/tstor/server/pkg/go-nfs" + nfshelper "git.kmsign.ru/royalcat/tstor/server/pkg/go-nfs/helpers" + "git.kmsign.ru/royalcat/tstor/server/src/config" + "git.kmsign.ru/royalcat/tstor/server/src/logwrap" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" ) func NewNFSv3Handler(fs vfs.Filesystem, config config.NFS) (nfs.Handler, error) { diff --git a/src/export/nfs/kvhandler.go b/server/src/export/nfs/kvhandler.go similarity index 94% rename from src/export/nfs/kvhandler.go rename to server/src/export/nfs/kvhandler.go index 2c2f994..b4cfeb3 100644 --- a/src/export/nfs/kvhandler.go +++ b/server/src/export/nfs/kvhandler.go @@ -8,9 +8,9 @@ import ( "strings" "sync" - "git.kmsign.ru/royalcat/tstor/pkg/go-nfs" - "git.kmsign.ru/royalcat/tstor/src/config" - "git.kmsign.ru/royalcat/tstor/src/logwrap" + "git.kmsign.ru/royalcat/tstor/server/pkg/go-nfs" + "git.kmsign.ru/royalcat/tstor/server/src/config" + "git.kmsign.ru/royalcat/tstor/server/src/logwrap" "go.opentelemetry.io/otel" "go.opentelemetry.io/otel/metric" @@ -45,7 +45,7 @@ func bytesToPath(path []string) string { return strings.Join(path, sep) } -var kvhandlerMeter = otel.Meter("git.kmsign.ru/royalcat/tstor/src/export/nfs.kvhandler") +var kvhandlerMeter = otel.Meter("git.kmsign.ru/royalcat/tstor/server/src/export/nfs.kvhandler") // NewKvHandler provides a basic to/from-file handle cache that can be tuned with a smaller cache of active directory listings. func NewKvHandler(h nfs.Handler, fs nfs.Filesystem, config config.NFS) (nfs.Handler, error) { diff --git a/src/export/nfs/wrapper-v4.go b/server/src/export/nfs/wrapper-v4.go similarity index 98% rename from src/export/nfs/wrapper-v4.go rename to server/src/export/nfs/wrapper-v4.go index c7b741c..689563d 100644 --- a/src/export/nfs/wrapper-v4.go +++ b/server/src/export/nfs/wrapper-v4.go @@ -3,7 +3,7 @@ package nfs // import ( // "io/fs" -// "git.kmsign.ru/royalcat/tstor/src/vfs" +// "git.kmsign.ru/royalcat/tstor/server/src/vfs" // nfsfs "github.com/smallfz/libnfs-go/fs" // ) diff --git a/src/export/nfs/wrapper.go b/server/src/export/nfs/wrapper.go similarity index 97% rename from src/export/nfs/wrapper.go rename to server/src/export/nfs/wrapper.go index 3efadd8..cafaa19 100644 --- a/src/export/nfs/wrapper.go +++ b/server/src/export/nfs/wrapper.go @@ -8,10 +8,10 @@ import ( "path/filepath" "time" - "git.kmsign.ru/royalcat/tstor/pkg/ctxbilly" - nfs "git.kmsign.ru/royalcat/tstor/pkg/go-nfs" + "git.kmsign.ru/royalcat/tstor/server/pkg/ctxbilly" + nfs "git.kmsign.ru/royalcat/tstor/server/pkg/go-nfs" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" "github.com/go-git/go-billy/v5" ) diff --git a/src/export/webdav/fs.go b/server/src/export/webdav/fs.go similarity index 98% rename from src/export/webdav/fs.go rename to server/src/export/webdav/fs.go index a83b53b..5530350 100644 --- a/src/export/webdav/fs.go +++ b/server/src/export/webdav/fs.go @@ -9,7 +9,7 @@ import ( "sync" "time" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" "golang.org/x/net/webdav" ) diff --git a/src/export/webdav/fs_test.go b/server/src/export/webdav/fs_test.go similarity index 97% rename from src/export/webdav/fs_test.go rename to server/src/export/webdav/fs_test.go index 55eb4aa..95262ab 100644 --- a/src/export/webdav/fs_test.go +++ b/server/src/export/webdav/fs_test.go @@ -6,7 +6,7 @@ import ( "os" "testing" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" "github.com/stretchr/testify/require" "golang.org/x/net/webdav" ) diff --git a/src/export/webdav/handler.go b/server/src/export/webdav/handler.go similarity index 90% rename from src/export/webdav/handler.go rename to server/src/export/webdav/handler.go index f93da4a..d4df684 100644 --- a/src/export/webdav/handler.go +++ b/server/src/export/webdav/handler.go @@ -4,7 +4,7 @@ import ( "log/slog" "net/http" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" "golang.org/x/net/webdav" ) diff --git a/src/export/webdav/http.go b/server/src/export/webdav/http.go similarity index 97% rename from src/export/webdav/http.go rename to server/src/export/webdav/http.go index c3d9e83..77366d1 100644 --- a/src/export/webdav/http.go +++ b/server/src/export/webdav/http.go @@ -5,7 +5,7 @@ import ( "log/slog" "net/http" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" "golang.org/x/net/webdav" ) diff --git a/src/iio/disk.go b/server/src/iio/disk.go similarity index 100% rename from src/iio/disk.go rename to server/src/iio/disk.go diff --git a/src/iio/disk_test.go b/server/src/iio/disk_test.go similarity index 100% rename from src/iio/disk_test.go rename to server/src/iio/disk_test.go diff --git a/src/iio/reader.go b/server/src/iio/reader.go similarity index 100% rename from src/iio/reader.go rename to server/src/iio/reader.go diff --git a/src/iio/wrapper.go b/server/src/iio/wrapper.go similarity index 100% rename from src/iio/wrapper.go rename to server/src/iio/wrapper.go diff --git a/src/iio/wrapper_test.go b/server/src/iio/wrapper_test.go similarity index 86% rename from src/iio/wrapper_test.go rename to server/src/iio/wrapper_test.go index b661034..beca47d 100644 --- a/src/iio/wrapper_test.go +++ b/server/src/iio/wrapper_test.go @@ -5,8 +5,8 @@ import ( "io" "testing" - "git.kmsign.ru/royalcat/tstor/pkg/ioutils" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/pkg/ioutils" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" "github.com/stretchr/testify/require" ) diff --git a/src/logwrap/badger.go b/server/src/logwrap/badger.go similarity index 95% rename from src/logwrap/badger.go rename to server/src/logwrap/badger.go index bc801a0..9e553f9 100644 --- a/src/logwrap/badger.go +++ b/server/src/logwrap/badger.go @@ -5,7 +5,7 @@ import ( "fmt" "strings" - "git.kmsign.ru/royalcat/tstor/pkg/rlog" + "git.kmsign.ru/royalcat/tstor/server/pkg/rlog" "github.com/dgraph-io/badger/v4" ) diff --git a/src/logwrap/log.go b/server/src/logwrap/log.go similarity index 100% rename from src/logwrap/log.go rename to server/src/logwrap/log.go diff --git a/src/logwrap/nfs.go b/server/src/logwrap/nfs.go similarity index 98% rename from src/logwrap/nfs.go rename to server/src/logwrap/nfs.go index 0eb97c9..bea4d39 100644 --- a/src/logwrap/nfs.go +++ b/server/src/logwrap/nfs.go @@ -5,7 +5,7 @@ import ( "log" "log/slog" - nfs "git.kmsign.ru/royalcat/tstor/pkg/go-nfs" + nfs "git.kmsign.ru/royalcat/tstor/server/pkg/go-nfs" ) var _ nfs.Logger = (*NFSLog)(nil) diff --git a/src/logwrap/torrent.go b/server/src/logwrap/torrent.go similarity index 100% rename from src/logwrap/torrent.go rename to server/src/logwrap/torrent.go diff --git a/src/logwrap/writer.go b/server/src/logwrap/writer.go similarity index 100% rename from src/logwrap/writer.go rename to server/src/logwrap/writer.go diff --git a/src/source/source.go b/server/src/source/source.go similarity index 100% rename from src/source/source.go rename to server/src/source/source.go diff --git a/src/tasks/executor.go b/server/src/tasks/executor.go similarity index 100% rename from src/tasks/executor.go rename to server/src/tasks/executor.go diff --git a/src/tasks/task.go b/server/src/tasks/task.go similarity index 100% rename from src/tasks/task.go rename to server/src/tasks/task.go diff --git a/src/tasks/updater.go b/server/src/tasks/updater.go similarity index 100% rename from src/tasks/updater.go rename to server/src/tasks/updater.go diff --git a/src/telemetry/setup.go b/server/src/telemetry/setup.go similarity index 97% rename from src/telemetry/setup.go rename to server/src/telemetry/setup.go index fa16f48..dbeccf4 100644 --- a/src/telemetry/setup.go +++ b/server/src/telemetry/setup.go @@ -7,7 +7,7 @@ import ( "os" "runtime" - "git.kmsign.ru/royalcat/tstor/pkg/rlog" + "git.kmsign.ru/royalcat/tstor/server/pkg/rlog" "github.com/agoda-com/opentelemetry-go/otelslog" "github.com/agoda-com/opentelemetry-logs-go/exporters/otlp/otlplogs" "github.com/agoda-com/opentelemetry-logs-go/exporters/otlp/otlplogs/otlplogshttp" @@ -100,7 +100,7 @@ func Setup(ctx context.Context, endpoint string) (*Client, error) { ) otel.SetMeterProvider(client.metricProvider) - var meter = otel.Meter("git.kmsign.ru/royalcat/tstor/pkg/telemetry") + var meter = otel.Meter("git.kmsign.ru/royalcat/tstor/server/pkg/telemetry") counter, err := meter.Int64Counter("up") if err != nil { return nil, err diff --git a/src/tkv/new.go b/server/src/tkv/new.go similarity index 91% rename from src/tkv/new.go rename to server/src/tkv/new.go index 6f55fcc..7cdf964 100644 --- a/src/tkv/new.go +++ b/server/src/tkv/new.go @@ -3,7 +3,7 @@ package tkv import ( "path" - "git.kmsign.ru/royalcat/tstor/src/logwrap" + "git.kmsign.ru/royalcat/tstor/server/src/logwrap" "github.com/royalcat/kv" "github.com/royalcat/kv/kvbadger" ) diff --git a/src/vfs/ctxbillyfs.go b/server/src/vfs/ctxbillyfs.go similarity index 98% rename from src/vfs/ctxbillyfs.go rename to server/src/vfs/ctxbillyfs.go index c01f776..4dc45af 100644 --- a/src/vfs/ctxbillyfs.go +++ b/server/src/vfs/ctxbillyfs.go @@ -5,7 +5,7 @@ import ( "io/fs" "os" - "git.kmsign.ru/royalcat/tstor/pkg/ctxbilly" + "git.kmsign.ru/royalcat/tstor/server/pkg/ctxbilly" ) func NewCtxBillyFs(name string, fs ctxbilly.Filesystem) *CtxBillyFs { diff --git a/src/vfs/default.go b/server/src/vfs/default.go similarity index 100% rename from src/vfs/default.go rename to server/src/vfs/default.go diff --git a/src/vfs/dir.go b/server/src/vfs/dir.go similarity index 100% rename from src/vfs/dir.go rename to server/src/vfs/dir.go diff --git a/src/vfs/dummy.go b/server/src/vfs/dummy.go similarity index 100% rename from src/vfs/dummy.go rename to server/src/vfs/dummy.go diff --git a/src/vfs/fs.go b/server/src/vfs/fs.go similarity index 100% rename from src/vfs/fs.go rename to server/src/vfs/fs.go diff --git a/src/vfs/fs_test.go b/server/src/vfs/fs_test.go similarity index 100% rename from src/vfs/fs_test.go rename to server/src/vfs/fs_test.go diff --git a/src/vfs/hash.go b/server/src/vfs/hash.go similarity index 100% rename from src/vfs/hash.go rename to server/src/vfs/hash.go diff --git a/src/vfs/log.go b/server/src/vfs/log.go similarity index 97% rename from src/vfs/log.go rename to server/src/vfs/log.go index 70ae1d4..2fb7d2d 100644 --- a/src/vfs/log.go +++ b/server/src/vfs/log.go @@ -10,7 +10,7 @@ import ( "reflect" "time" - "git.kmsign.ru/royalcat/tstor/pkg/rlog" + "git.kmsign.ru/royalcat/tstor/server/pkg/rlog" "go.opentelemetry.io/otel" "go.opentelemetry.io/otel/attribute" "go.opentelemetry.io/otel/metric" @@ -18,8 +18,8 @@ import ( ) var ( - meter = otel.Meter("git.kmsign.ru/royalcat/tstor/src/vfs") - tracer = otel.Tracer("git.kmsign.ru/royalcat/tstor/src/vfs") + meter = otel.Meter("git.kmsign.ru/royalcat/tstor/server/src/vfs") + tracer = otel.Tracer("git.kmsign.ru/royalcat/tstor/server/src/vfs") ) type fsTelemetry struct { diff --git a/src/vfs/memory.go b/server/src/vfs/memory.go similarity index 100% rename from src/vfs/memory.go rename to server/src/vfs/memory.go diff --git a/src/vfs/memory_test.go b/server/src/vfs/memory_test.go similarity index 100% rename from src/vfs/memory_test.go rename to server/src/vfs/memory_test.go diff --git a/src/vfs/os.go b/server/src/vfs/os.go similarity index 100% rename from src/vfs/os.go rename to server/src/vfs/os.go diff --git a/src/vfs/os_test.go b/server/src/vfs/os_test.go similarity index 97% rename from src/vfs/os_test.go rename to server/src/vfs/os_test.go index 2768aab..b434720 100644 --- a/src/vfs/os_test.go +++ b/server/src/vfs/os_test.go @@ -5,7 +5,7 @@ import ( "os" "testing" - "git.kmsign.ru/royalcat/tstor/src/vfs" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" "github.com/stretchr/testify/require" ) diff --git a/src/vfs/resolver.go b/server/src/vfs/resolver.go similarity index 99% rename from src/vfs/resolver.go rename to server/src/vfs/resolver.go index b942295..176902a 100644 --- a/src/vfs/resolver.go +++ b/server/src/vfs/resolver.go @@ -11,7 +11,7 @@ import ( "strings" "time" - "git.kmsign.ru/royalcat/tstor/pkg/rlog" + "git.kmsign.ru/royalcat/tstor/server/pkg/rlog" "github.com/goware/singleflight" "github.com/royalcat/btrgo/btrsync" "github.com/sourcegraph/conc/iter" diff --git a/src/vfs/resolver_test.go b/server/src/vfs/resolver_test.go similarity index 100% rename from src/vfs/resolver_test.go rename to server/src/vfs/resolver_test.go diff --git a/src/vfs/utils.go b/server/src/vfs/utils.go similarity index 100% rename from src/vfs/utils.go rename to server/src/vfs/utils.go diff --git a/server/tstor/plugin.go b/server/tstor/plugin.go new file mode 100644 index 0000000..129ac17 --- /dev/null +++ b/server/tstor/plugin.go @@ -0,0 +1,9 @@ +package tstor + +import "git.kmsign.ru/royalcat/tstor/server/src/daemon" + +type Plugin struct { + Name string + + DaemonConstructor daemon.DaemonConstructor +} diff --git a/cmd/tstor/main.go b/server/tstor/run.go similarity index 71% rename from cmd/tstor/main.go rename to server/tstor/run.go index 42133c9..330c243 100644 --- a/cmd/tstor/main.go +++ b/server/tstor/run.go @@ -1,11 +1,10 @@ -package main +package tstor import ( "context" "errors" "fmt" "log/slog" - "path/filepath" "net" nethttp "net/http" @@ -14,20 +13,21 @@ import ( "os/signal" "syscall" - wnfs "git.kmsign.ru/royalcat/tstor/pkg/go-nfs" - "git.kmsign.ru/royalcat/tstor/pkg/rlog" - "git.kmsign.ru/royalcat/tstor/src/config" - "git.kmsign.ru/royalcat/tstor/src/daemon" - "git.kmsign.ru/royalcat/tstor/src/delivery" - "git.kmsign.ru/royalcat/tstor/src/telemetry" - "git.kmsign.ru/royalcat/tstor/src/vfs" + wnfs "git.kmsign.ru/royalcat/tstor/server/pkg/go-nfs" + "git.kmsign.ru/royalcat/tstor/server/pkg/rlog" + "git.kmsign.ru/royalcat/tstor/server/src/config" + "git.kmsign.ru/royalcat/tstor/server/src/daemon" + "git.kmsign.ru/royalcat/tstor/server/src/delivery" + "git.kmsign.ru/royalcat/tstor/server/src/telemetry" + "git.kmsign.ru/royalcat/tstor/server/src/vfs" + "github.com/knadh/koanf/v2" "github.com/urfave/cli/v2" - _ "git.kmsign.ru/royalcat/tstor/pkg/rlog" - "git.kmsign.ru/royalcat/tstor/src/export/fuse" - "git.kmsign.ru/royalcat/tstor/src/export/httpfs" - "git.kmsign.ru/royalcat/tstor/src/export/nfs" - "git.kmsign.ru/royalcat/tstor/src/export/webdav" + _ "git.kmsign.ru/royalcat/tstor/server/pkg/rlog" + "git.kmsign.ru/royalcat/tstor/server/src/export/fuse" + "git.kmsign.ru/royalcat/tstor/server/src/export/httpfs" + "git.kmsign.ru/royalcat/tstor/server/src/export/nfs" + "git.kmsign.ru/royalcat/tstor/server/src/export/webdav" ) const ( @@ -36,10 +36,9 @@ const ( webDAVPortFlag = "webdav-port" ) -func main() { +func Run(plugins []*Plugin) { app := &cli.App{ - Name: "tstor", - Usage: "Torrent client with on-demand file downloading as a filesystem.", + Name: "tstor", Flags: []cli.Flag{ &cli.StringFlag{ Name: configFlag, @@ -49,7 +48,7 @@ func main() { }, Action: func(c *cli.Context) error { - return run(c.String(configFlag)) + return start(c.String(configFlag), plugins) }, HideHelpCommand: true, @@ -60,7 +59,7 @@ func main() { } } -func run(configPath string) error { +func start(configPath string, plugins []*Plugin) error { conf, koanf, err := config.Load(configPath) if err != nil { return fmt.Errorf("error loading configuration: %w", err) @@ -78,18 +77,25 @@ func run(configPath string) error { daemons := []daemon.Daemon{} - plugins, err := os.ReadDir(conf.DaemonsPluginsDir) - for _, v := range plugins { - if v.IsDir() { + for _, plugin := range conf.Plugins { + log.Debug(ctx, "loading plugin", slog.String("name", plugin.Name)) + + pluginStub := getPlugin(plugins, plugin.Name) + if pluginStub == nil { + log.Error(ctx, "plugin not found", slog.String("plugin", plugin.Name)) continue } - path := filepath.Join(conf.DaemonsPluginsDir, v.Name()) - dm, err := daemon.LoadFromPlugin(ctx, path, koanf) + + pluginConfig := getPluginKoanf(koanf, plugin.Name) + + daemon, err := pluginStub.DaemonConstructor(ctx, pluginConfig) if err != nil { - log.Error(ctx, "error registering plugin daemon", rlog.Error(err)) + log.Error(ctx, "error creating plugin daemon", rlog.Error(err)) + continue } - daemons = append(daemons, dm) + log.Debug(ctx, "plugin daemon created", slog.String("name", pluginStub.Name)) + daemons = append(daemons, daemon) } // TODO make optional @@ -215,3 +221,22 @@ func run(configPath string) error { return errors.Join(errs...) } + +func getPluginKoanf(rootKoanf *koanf.Koanf, name string) *koanf.Koanf { + pluginsKoanfs := rootKoanf.Slices("plugins") + for _, pk := range pluginsKoanfs { + if pk.Get("name") == name { + return pk.Cut("config") + } + } + return nil +} + +func getPlugin(plugins []*Plugin, name string) *Plugin { + for _, p := range plugins { + if p.Name == name { + return p + } + } + return nil +} diff --git a/src/config/config_template.yaml b/src/config/config_template.yaml deleted file mode 100644 index 2b9803e..0000000 --- a/src/config/config_template.yaml +++ /dev/null @@ -1,106 +0,0 @@ -# This is a configuration file example. You can edit it and add and remove torrents -# and magnet URIs. Read the following comments for more info. - -# HTTP specific configuration. -http: - port: 4444 - - ip: "0.0.0.0" - - # Serve all routes content over http on IP:PORT/fs - httpfs: true - -# WebDAV specific configuration. Remove this to disable WebDAV. -webdav: - port: 36911 - user: admin - pass: admin - -# Specific configuration for torrent backend. -torrent: - # Size in MB for the cache. This is the maximum space used by tstor to store - # torrent data. Less used torrent data will be discarded if this value is reached. - # global_cache_size: -1 #No limit - global_cache_size: 2048 - - # Folder where tstor metadata will be stored. - metadata_folder: ./tstor-data/metadata - - # Disable IPv6. - #disable_ipv6: true - - # Timeout in seconds when adding a magnet or a torrent. - add_timeout: 60 - - # Timeout in seconds when reading any torrent content. Usefult when reading - # archived content from .rar, .zip or .7z. - read_timeout: 120 -# fuse: -# # Folder where fuse will mount torrent filesystem -# # For windows users: -# # - You can set here also a disk letter like X: or Z:. -# # - The folder MUST NOT exists. -# path: ./tstor-data/mount -# # Add this flag if you want to allow other users to access this fuse mountpoint. -# # You need to add user_allow_other flag to /etc/fuse.conf file. -# # allow_other: true - -log: - path: ./tstor-data/logs - - # MaxBackups is the maximum number of old log files to retain. The default - # is to retain all old log files (though MaxAge may still cause them to get - # deleted.) - max_backups: 2 - - # MaxAge is the maximum number of days to retain old log files based on the - # timestamp encoded in their filename. Note that a day is defined as 24 - # hours and may not exactly correspond to calendar days due to daylight - # savings, leap seconds, etc. The default is not to remove old log files - # based on age. - # max_age: 30 - - # MaxSize is the maximum size in megabytes of the log file before it gets - # rotated. It defaults to 100 megabytes. - max_size: 50 - - # debug: true - -# List of folders where torrents will be mounted as a filesystem. -routes: - - name: multimedia - # Adding a folder will load all torrents on it: - # torrent_folder: "/path/to/torrent/folder" - torrents: - # You can also add torrents from a specific path - # - torrent_path: /path/to/torrent/file.torrent - - magnet_uri: "magnet:?xt=urn:btih:c9e15763f722f23e98a29decdfae341b98d53056&dn=Cosmos+Laundromat&tr=udp%3A%2F%2Fexplodie.org%3A6969&tr=udp%3A%2F%2Ftracker.coppersurfer.tk%3A6969&tr=udp%3A%2F%2Ftracker.empire-js.us%3A1337&tr=udp%3A%2F%2Ftracker.leechers-paradise.org%3A6969&tr=udp%3A%2F%2Ftracker.opentrackr.org%3A1337&tr=wss%3A%2F%2Ftracker.btorrent.xyz&tr=wss%3A%2F%2Ftracker.fastcast.nz&tr=wss%3A%2F%2Ftracker.openwebtorrent.com&ws=https%3A%2F%2Fwebtorrent.io%2Ftorrents%2F&xs=https%3A%2F%2Fwebtorrent.io%2Ftorrents%2Fcosmos-laundromat.torrent" - - magnet_uri: "magnet:?xt=urn:btih:dd8255ecdc7ca55fb0bbf81323d87062db1f6d1c&dn=Big+Buck+Bunny&tr=udp%3A%2F%2Fexplodie.org%3A6969&tr=udp%3A%2F%2Ftracker.coppersurfer.tk%3A6969&tr=udp%3A%2F%2Ftracker.empire-js.us%3A1337&tr=udp%3A%2F%2Ftracker.leechers-paradise.org%3A6969&tr=udp%3A%2F%2Ftracker.opentrackr.org%3A1337&tr=wss%3A%2F%2Ftracker.btorrent.xyz&tr=wss%3A%2F%2Ftracker.fastcast.nz&tr=wss%3A%2F%2Ftracker.openwebtorrent.com&ws=https%3A%2F%2Fwebtorrent.io%2Ftorrents%2F&xs=https%3A%2F%2Fwebtorrent.io%2Ftorrents%2Fbig-buck-bunny.torrent" - - magnet_uri: "magnet:?xt=urn:btih:08ada5a7a6183aae1e09d831df6748d566095a10&dn=Sintel&tr=udp%3A%2F%2Fexplodie.org%3A6969&tr=udp%3A%2F%2Ftracker.coppersurfer.tk%3A6969&tr=udp%3A%2F%2Ftracker.empire-js.us%3A1337&tr=udp%3A%2F%2Ftracker.leechers-paradise.org%3A6969&tr=udp%3A%2F%2Ftracker.opentrackr.org%3A1337&tr=wss%3A%2F%2Ftracker.btorrent.xyz&tr=wss%3A%2F%2Ftracker.fastcast.nz&tr=wss%3A%2F%2Ftracker.openwebtorrent.com&ws=https%3A%2F%2Fwebtorrent.io%2Ftorrents%2F&xs=https%3A%2F%2Fwebtorrent.io%2Ftorrents%2Fsintel.torrent" - - magnet_uri: "magnet:?xt=urn:btih:209c8226b299b308beaf2b9cd3fb49212dbd13ec&dn=Tears+of+Steel&tr=udp%3A%2F%2Fexplodie.org%3A6969&tr=udp%3A%2F%2Ftracker.coppersurfer.tk%3A6969&tr=udp%3A%2F%2Ftracker.empire-js.us%3A1337&tr=udp%3A%2F%2Ftracker.leechers-paradise.org%3A6969&tr=udp%3A%2F%2Ftracker.opentrackr.org%3A1337&tr=wss%3A%2F%2Ftracker.btorrent.xyz&tr=wss%3A%2F%2Ftracker.fastcast.nz&tr=wss%3A%2F%2Ftracker.openwebtorrent.com&ws=https%3A%2F%2Fwebtorrent.io%2Ftorrents%2F&xs=https%3A%2F%2Fwebtorrent.io%2Ftorrents%2Ftears-of-steel.torrent" - - magnet_uri: "magnet:?xt=urn:btih:a88fda5954e89178c372716a6a78b8180ed4dad3&dn=The+WIRED+CD+-+Rip.+Sample.+Mash.+Share&tr=udp%3A%2F%2Fexplodie.org%3A6969&tr=udp%3A%2F%2Ftracker.coppersurfer.tk%3A6969&tr=udp%3A%2F%2Ftracker.empire-js.us%3A1337&tr=udp%3A%2F%2Ftracker.leechers-paradise.org%3A6969&tr=udp%3A%2F%2Ftracker.opentrackr.org%3A1337&tr=wss%3A%2F%2Ftracker.btorrent.xyz&tr=wss%3A%2F%2Ftracker.fastcast.nz&tr=wss%3A%2F%2Ftracker.openwebtorrent.com&ws=https%3A%2F%2Fwebtorrent.io%2Ftorrents%2F&xs=https%3A%2F%2Fwebtorrent.io%2Ftorrents%2Fwired-cd.torrent" -# Example mountpoint containing some datasets, some of them compressed in zip format -# - name: datasets -# torrents: -# - magnet_uri: "magnet:?xt=urn:btih:9dea07ba660a722ae1008c4c8afdd303b6f6e53b&tr=http%3A%2F%2Facademictorrents.com%2Fannounce.php&tr=udp%3A%2F%2Ftracker.coppersurfer.tk%3A6969&tr=udp%3A%2F%2Ftracker.opentrackr.org%3A1337%2Fannounce&tr=udp%3A%2F%2Ftracker.leechers-paradise.org%3A6969" -# - magnet_uri: "magnet:?xt=urn:btih:d8b3a315172c8d804528762f37fa67db14577cdb&tr=http%3A%2F%2Facademictorrents.com%2Fannounce.php&tr=udp%3A%2F%2Ftracker.coppersurfer.tk%3A6969&tr=udp%3A%2F%2Ftracker.opentrackr.org%3A1337%2Fannounce&tr=udp%3A%2F%2Ftracker.leechers-paradise.org%3A6969" -# - magnet_uri: "magnet:?xt=urn:btih:1e0a00b9c606cf87c03e676f75929463c7756fb5&tr=http%3A%2F%2Facademictorrents.com%2Fannounce.php&tr=udp%3A%2F%2Ftracker.coppersurfer.tk%3A6969&tr=udp%3A%2F%2Ftracker.opentrackr.org%3A1337%2Fannounce&tr=udp%3A%2F%2Ftracker.leechers-paradise.org%3A6969" - -# List of folders where the content will be transformed to a magnet link. You can share any content sending that magnet link to others. -servers: - - name: server - path: ./tstor-data/served-folders/server - - # Get trackers from web text file. The file will be loaded every time a magnet uri is generated, - # so all trackers will be up to date. - tracker_url: "https://raw.githubusercontent.com/ngosang/trackerslist/master/trackers_best.txt" - - # Trackers to be used to announce the served content. If tracker_url is set and it fails, - # this list will be used instead. - # trackers: - # - "wss://tracker.btorrent.xyz" - # - "wss://tracker.openwebtorrent.com" - # - "http://p4p.arenabg.com:1337/announce" - # - "udp://tracker.opentrackr.org:1337/announce" - # - "udp://open.tracker.cl:1337/announce" - # - "http://openbittorrent.com:80/announce" diff --git a/src/daemon/plugin.go b/src/daemon/plugin.go deleted file mode 100644 index 3769fae..0000000 --- a/src/daemon/plugin.go +++ /dev/null @@ -1,46 +0,0 @@ -package daemon - -import ( - "context" - "fmt" - "plugin" - - "github.com/knadh/koanf/v2" -) - -const ( - SymDaemonName = "DaemonKey" - SymNewDaemon = "NewDaemonKey" -) - -func LoadFromPlugin(ctx context.Context, path string, rootKoanf *koanf.Koanf) (Daemon, error) { - p, err := plugin.Open(path) - if err != nil { - return nil, fmt.Errorf("error opening plugin: %w", err) - } - symName, err := p.Lookup(SymDaemonName) - if err != nil { - return nil, fmt.Errorf("error looking up DaemonName symbol: %w", err) - } - daemonName, ok := symName.(*string) - if !ok { - return nil, fmt.Errorf("DaemonName symbol is not a string") - } - symNewDaemon, err := p.Lookup(SymNewDaemon) - if err != nil { - return nil, fmt.Errorf("error looking up NewDaemon symbol: %w", err) - } - newDaemon, ok := symNewDaemon.(*DaemonConstructor) - if !ok { - return nil, fmt.Errorf("NewDaemon symbol is not a DaemonConstructor") - } - - name := *daemonName - - daemon, err := (*newDaemon)(ctx, rootKoanf.Cut("daemons."+name)) - if err != nil { - return nil, fmt.Errorf("error creating daemon: %w", err) - } - - return daemon, err -} diff --git a/ui/lib/api/schema.graphql b/ui/lib/api/schema.graphql index 4036f3f..dc94cfe 100644 --- a/ui/lib/api/schema.graphql +++ b/ui/lib/api/schema.graphql @@ -1,4 +1,3 @@ -directive @oneOf on INPUT_OBJECT | FIELD_DEFINITION directive @resolver on INPUT_FIELD_DEFINITION | FIELD_DEFINITION directive @stream on FIELD_DEFINITION input BooleanFilter @oneOf { @@ -40,6 +39,10 @@ input Pagination { offset: Int! limit: Int! } +type Plugin { + name: String! + endpountSubPath: String +} interface Progress { current: Int! total: Int! @@ -68,7 +71,7 @@ type QTorrent { sourceFiles: [String!]! @resolver } type Query { - qbitTorrentDaemon: QBitTorrentDaemonQuery @resolver + plugins: [Plugin!]! fsEntry(path: String!): FsEntry } type ResolverFS implements Dir & FsEntry {