Skip to content

Commit f6b448b

Browse files
hacdiaslidel
andauthored
feat(gateway): support for order=, dups= parameters from IPIP-412 (#370)
Co-authored-by: Marcin Rataj <lidel@lidel.org>
1 parent 4b29eb0 commit f6b448b

6 files changed

+255
-50
lines changed

CHANGELOG.md

+22-5
Original file line numberDiff line numberDiff line change
@@ -16,13 +16,30 @@ The following emojis are used to highlight certain changes:
1616

1717
### Added
1818

19+
* ✨ The gateway now supports the optional `order` and `dups` CAR parameters
20+
from [IPIP-412](https://github.com/ipfs/specs/pull/412).
21+
* The `BlocksBackend` only implements `order=dfs` (Depth-First Search)
22+
ordering, which was already the default behavior.
23+
* If a request specifies no `dups`, response with `dups=n` is returned, which
24+
was already the default behavior.
25+
* If a request explicitly specifies a CAR `order` other than `dfs`, it will
26+
result in an error.
27+
* The only change to the default behavior on CAR responses is that we follow
28+
IPIP-412 and make `order=dfs;dups=n` explicit in the returned
29+
`Content-Type` HTTP header.
30+
1931
### Changed
2032

21-
* 🛠 The `ipns` package has been refactored. You should no longer use the direct Protobuf
22-
version of the IPNS Record. Instead, we have a shiny new `ipns.Record` type that wraps
23-
all the required functionality to work the best as possible with IPNS v2 Records. Please
24-
check the [documentation](https://pkg.go.dev/github.com/ipfs/boxo/ipns) for more information,
25-
and follow [ipfs/specs#376](https://github.com/ipfs/specs/issues/376) for related IPIP.
33+
* 🛠 The `ipns` package has been refactored.
34+
* You should no longer use the direct Protobuf version of the IPNS Record.
35+
Instead, we have a shiny new `ipns.Record` type that wraps all the required
36+
functionality to work the best as possible with IPNS v2 Records. Please
37+
check the [documentation](https://pkg.go.dev/github.com/ipfs/boxo/ipns) for
38+
more information, and follow
39+
[ipfs/specs#376](https://github.com/ipfs/specs/issues/376) for related
40+
IPIP.
41+
* There is no change to IPNS Records produced by `boxo/ipns`, it still
42+
produces both V1 and V2 signatures by default, it is still backward-compatible.
2643

2744
### Removed
2845

gateway/blocks_backend.go

+7-2
Original file line numberDiff line numberDiff line change
@@ -245,7 +245,12 @@ func (bb *BlocksBackend) GetCAR(ctx context.Context, p ImmutablePath, params Car
245245

246246
r, w := io.Pipe()
247247
go func() {
248-
cw, err := storage.NewWritable(w, []cid.Cid{pathMetadata.LastSegment.Cid()}, car.WriteAsCarV1(true))
248+
cw, err := storage.NewWritable(
249+
w,
250+
[]cid.Cid{pathMetadata.LastSegment.Cid()},
251+
car.WriteAsCarV1(true),
252+
car.AllowDuplicatePuts(params.Duplicates.Bool()),
253+
)
249254
if err != nil {
250255
// io.PipeWriter.CloseWithError always returns nil.
251256
_ = w.CloseWithError(err)
@@ -312,7 +317,7 @@ func walkGatewaySimpleSelector(ctx context.Context, p ipfspath.Path, params CarP
312317
Ctx: ctx,
313318
LinkSystem: *lsys,
314319
LinkTargetNodePrototypeChooser: bsfetcher.DefaultPrototypeChooser,
315-
LinkVisitOnlyOnce: true, // This is safe for the "all" selector
320+
LinkVisitOnlyOnce: !params.Duplicates.Bool(),
316321
},
317322
}
318323

gateway/gateway.go

+48-2
Original file line numberDiff line numberDiff line change
@@ -121,8 +121,10 @@ func (i ImmutablePath) IsValid() error {
121121
var _ path.Path = (*ImmutablePath)(nil)
122122

123123
type CarParams struct {
124-
Range *DagByteRange
125-
Scope DagScope
124+
Range *DagByteRange
125+
Scope DagScope
126+
Order DagOrder
127+
Duplicates DuplicateBlocksPolicy
126128
}
127129

128130
// DagByteRange describes a range request within a UnixFS file. "From" and
@@ -189,6 +191,50 @@ const (
189191
DagScopeBlock DagScope = "block"
190192
)
191193

194+
type DagOrder string
195+
196+
const (
197+
DagOrderUnspecified DagOrder = ""
198+
DagOrderUnknown DagOrder = "unk"
199+
DagOrderDFS DagOrder = "dfs"
200+
)
201+
202+
// DuplicateBlocksPolicy represents the content type parameter 'dups' (IPIP-412)
203+
type DuplicateBlocksPolicy int
204+
205+
const (
206+
DuplicateBlocksUnspecified DuplicateBlocksPolicy = iota // 0 - implicit default
207+
DuplicateBlocksIncluded // 1 - explicitly include duplicates
208+
DuplicateBlocksExcluded // 2 - explicitly NOT include duplicates
209+
)
210+
211+
// NewDuplicateBlocksPolicy returns DuplicateBlocksPolicy based on the content type parameter 'dups' (IPIP-412)
212+
func NewDuplicateBlocksPolicy(dupsValue string) DuplicateBlocksPolicy {
213+
switch dupsValue {
214+
case "y":
215+
return DuplicateBlocksIncluded
216+
case "n":
217+
return DuplicateBlocksExcluded
218+
}
219+
return DuplicateBlocksUnspecified
220+
}
221+
222+
func (d DuplicateBlocksPolicy) Bool() bool {
223+
// duplicates should be returned only when explicitly requested,
224+
// so any other state than DuplicateBlocksIncluded should return false
225+
return d == DuplicateBlocksIncluded
226+
}
227+
228+
func (d DuplicateBlocksPolicy) String() string {
229+
switch d {
230+
case DuplicateBlocksIncluded:
231+
return "y"
232+
case DuplicateBlocksExcluded:
233+
return "n"
234+
}
235+
return ""
236+
}
237+
192238
type ContentPathMetadata struct {
193239
PathSegmentRoots []cid.Cid
194240
LastSegment path.Resolved

gateway/handler.go

+25-22
Original file line numberDiff line numberDiff line change
@@ -637,28 +637,9 @@ const (
637637

638638
// return explicit response format if specified in request as query parameter or via Accept HTTP header
639639
func customResponseFormat(r *http.Request) (mediaType string, params map[string]string, err error) {
640-
// Translate query param to a content type, if present.
641-
if formatParam := r.URL.Query().Get("format"); formatParam != "" {
642-
switch formatParam {
643-
case "raw":
644-
return rawResponseFormat, nil, nil
645-
case "car":
646-
return carResponseFormat, nil, nil
647-
case "tar":
648-
return tarResponseFormat, nil, nil
649-
case "json":
650-
return jsonResponseFormat, nil, nil
651-
case "cbor":
652-
return cborResponseFormat, nil, nil
653-
case "dag-json":
654-
return dagJsonResponseFormat, nil, nil
655-
case "dag-cbor":
656-
return dagCborResponseFormat, nil, nil
657-
case "ipns-record":
658-
return ipnsRecordResponseFormat, nil, nil
659-
}
660-
}
661-
640+
// First, inspect Accept header, as it may not only include content type, but also optional parameters.
641+
// such as CAR version or additional ones from IPIP-412.
642+
//
662643
// Browsers and other user agents will send Accept header with generic types like:
663644
// Accept:text/html,application/xhtml+xml,application/xml;q=0.9,image/avif,image/webp,*/*;q=0.8
664645
// We only care about explicit, vendor-specific content-types and respond to the first match (in order).
@@ -681,6 +662,28 @@ func customResponseFormat(r *http.Request) (mediaType string, params map[string]
681662
}
682663
}
683664

665+
// If no Accept header, translate query param to a content type, if present.
666+
if formatParam := r.URL.Query().Get("format"); formatParam != "" {
667+
switch formatParam {
668+
case "raw":
669+
return rawResponseFormat, nil, nil
670+
case "car":
671+
return carResponseFormat, nil, nil
672+
case "tar":
673+
return tarResponseFormat, nil, nil
674+
case "json":
675+
return jsonResponseFormat, nil, nil
676+
case "cbor":
677+
return cborResponseFormat, nil, nil
678+
case "dag-json":
679+
return dagJsonResponseFormat, nil, nil
680+
case "dag-cbor":
681+
return dagCborResponseFormat, nil, nil
682+
case "ipns-record":
683+
return ipnsRecordResponseFormat, nil, nil
684+
}
685+
}
686+
684687
// If none of special-cased content types is found, return empty string
685688
// to indicate default, implicit UnixFS response should be prepared
686689
return "", nil, nil

gateway/handler_car.go

+89-17
Original file line numberDiff line numberDiff line change
@@ -30,16 +30,7 @@ func (i *handler) serveCAR(ctx context.Context, w http.ResponseWriter, r *http.R
3030
ctx, cancel := context.WithCancel(ctx)
3131
defer cancel()
3232

33-
switch rq.responseParams["version"] {
34-
case "": // noop, client does not care about version
35-
case "1": // noop, we support this
36-
default:
37-
err := fmt.Errorf("unsupported CAR version: only version=1 is supported")
38-
i.webError(w, r, err, http.StatusBadRequest)
39-
return false
40-
}
41-
42-
params, err := getCarParams(r)
33+
params, err := buildCarParams(r, rq.responseParams)
4334
if err != nil {
4435
i.webError(w, r, err, http.StatusBadRequest)
4536
return false
@@ -90,7 +81,7 @@ func (i *handler) serveCAR(ctx context.Context, w http.ResponseWriter, r *http.R
9081
// sub-DAGs and IPLD selectors: https://github.com/ipfs/go-ipfs/issues/8769
9182
w.Header().Set("Accept-Ranges", "none")
9283

93-
w.Header().Set("Content-Type", carResponseFormat+"; version=1")
84+
w.Header().Set("Content-Type", buildContentTypeFromCarParams(params))
9485
w.Header().Set("X-Content-Type-Options", "nosniff") // no funny business in the browsers :^)
9586

9687
_, copyErr := io.Copy(w, carFile)
@@ -113,7 +104,15 @@ func (i *handler) serveCAR(ctx context.Context, w http.ResponseWriter, r *http.R
113104
return true
114105
}
115106

116-
func getCarParams(r *http.Request) (CarParams, error) {
107+
// buildCarParams returns CarParams based on the request, any optional parameters
108+
// passed in URL, Accept header and the implicit defaults specific to boxo
109+
// implementation, such as block order and duplicates status.
110+
//
111+
// If any of the optional content type parameters (e.g., CAR order or
112+
// duplicates) are unspecified or empty, the function will automatically infer
113+
// default values.
114+
func buildCarParams(r *http.Request, contentTypeParams map[string]string) (CarParams, error) {
115+
// URL query parameters
117116
queryParams := r.URL.Query()
118117
rangeStr, hasRange := queryParams.Get(carRangeBytesKey), queryParams.Has(carRangeBytesKey)
119118
scopeStr, hasScope := queryParams.Get(carTerminalElementTypeKey), queryParams.Has(carTerminalElementTypeKey)
@@ -122,7 +121,7 @@ func getCarParams(r *http.Request) (CarParams, error) {
122121
if hasRange {
123122
rng, err := NewDagByteRange(rangeStr)
124123
if err != nil {
125-
err = fmt.Errorf("invalid entity-bytes: %w", err)
124+
err = fmt.Errorf("invalid application/vnd.ipld.car entity-bytes URL parameter: %w", err)
126125
return CarParams{}, err
127126
}
128127
params.Range = &rng
@@ -133,16 +132,78 @@ func getCarParams(r *http.Request) (CarParams, error) {
133132
case DagScopeEntity, DagScopeAll, DagScopeBlock:
134133
params.Scope = s
135134
default:
136-
err := fmt.Errorf("unsupported dag-scope %s", scopeStr)
135+
err := fmt.Errorf("unsupported application/vnd.ipld.car dag-scope URL parameter: %q", scopeStr)
137136
return CarParams{}, err
138137
}
139138
} else {
140139
params.Scope = DagScopeAll
141140
}
142141

142+
// application/vnd.ipld.car content type parameters from Accept header
143+
144+
// version of CAR format
145+
switch contentTypeParams["version"] {
146+
case "": // noop, client does not care about version
147+
case "1": // noop, we support this
148+
default:
149+
return CarParams{}, fmt.Errorf("unsupported application/vnd.ipld.car version: only version=1 is supported")
150+
}
151+
152+
// optional order from IPIP-412
153+
if order := DagOrder(contentTypeParams["order"]); order != DagOrderUnspecified {
154+
switch order {
155+
case DagOrderUnknown, DagOrderDFS:
156+
params.Order = order
157+
default:
158+
return CarParams{}, fmt.Errorf("unsupported application/vnd.ipld.car content type order parameter: %q", order)
159+
}
160+
} else {
161+
// when order is not specified, we use DFS as the implicit default
162+
// as this has always been the default behavior and we should not break
163+
// legacy clients
164+
params.Order = DagOrderDFS
165+
}
166+
167+
// optional dups from IPIP-412
168+
if dups := NewDuplicateBlocksPolicy(contentTypeParams["dups"]); dups != DuplicateBlocksUnspecified {
169+
switch dups {
170+
case DuplicateBlocksExcluded, DuplicateBlocksIncluded:
171+
params.Duplicates = dups
172+
default:
173+
return CarParams{}, fmt.Errorf("unsupported application/vnd.ipld.car content type dups parameter: %q", dups)
174+
}
175+
} else {
176+
// when duplicate block preference is not specified, we set it to
177+
// false, as this has always been the default behavior, we should
178+
// not break legacy clients, and responses to requests made via ?format=car
179+
// should benefit from block deduplication
180+
params.Duplicates = DuplicateBlocksExcluded
181+
182+
}
183+
143184
return params, nil
144185
}
145186

187+
// buildContentTypeFromCarParams returns a string for Content-Type header.
188+
// It does not change any values, CarParams are respected as-is.
189+
func buildContentTypeFromCarParams(params CarParams) string {
190+
h := strings.Builder{}
191+
h.WriteString(carResponseFormat)
192+
h.WriteString("; version=1")
193+
194+
if params.Order != DagOrderUnspecified {
195+
h.WriteString("; order=")
196+
h.WriteString(string(params.Order))
197+
}
198+
199+
if params.Duplicates != DuplicateBlocksUnspecified {
200+
h.WriteString("; dups=")
201+
h.WriteString(params.Duplicates.String())
202+
}
203+
204+
return h.String()
205+
}
206+
146207
func getCarRootCidAndLastSegment(imPath ImmutablePath) (cid.Cid, string, error) {
147208
imPathStr := imPath.String()
148209
if !strings.HasPrefix(imPathStr, "/ipfs/") {
@@ -167,14 +228,25 @@ func getCarRootCidAndLastSegment(imPath ImmutablePath) (cid.Cid, string, error)
167228
func getCarEtag(imPath ImmutablePath, params CarParams, rootCid cid.Cid) string {
168229
data := imPath.String()
169230
if params.Scope != DagScopeAll {
170-
data += "." + string(params.Scope)
231+
data += string(params.Scope)
232+
}
233+
234+
// 'order' from IPIP-412 impact Etag only if set to something else
235+
// than DFS (which is the implicit default)
236+
if params.Order != DagOrderDFS {
237+
data += string(params.Order)
238+
}
239+
240+
// 'dups' from IPIP-412 impact Etag only if 'y'
241+
if dups := params.Duplicates.String(); dups == "y" {
242+
data += dups
171243
}
172244

173245
if params.Range != nil {
174246
if params.Range.From != 0 || params.Range.To != nil {
175-
data += "." + strconv.FormatInt(params.Range.From, 10)
247+
data += strconv.FormatInt(params.Range.From, 10)
176248
if params.Range.To != nil {
177-
data += "." + strconv.FormatInt(*params.Range.To, 10)
249+
data += strconv.FormatInt(*params.Range.To, 10)
178250
}
179251
}
180252
}

0 commit comments

Comments
 (0)