1 /* Provides low-level Get/Put primitives for accessing Arvados Keep blocks. */
10 "git.curoverse.com/arvados.git/sdk/go/arvadosclient"
11 "git.curoverse.com/arvados.git/sdk/go/streamer"
22 // A Keep "block" is 64MB.
23 const BLOCKSIZE = 64 * 1024 * 1024
25 var BlockNotFound = errors.New("Block not found")
26 var InsufficientReplicasError = errors.New("Could not write sufficient replicas")
27 var OversizeBlockError = errors.New("Exceeded maximum block size (" + strconv.Itoa(BLOCKSIZE) + ")")
28 var MissingArvadosApiHost = errors.New("Missing required environment variable ARVADOS_API_HOST")
29 var MissingArvadosApiToken = errors.New("Missing required environment variable ARVADOS_API_TOKEN")
30 var InvalidLocatorError = errors.New("Invalid locator")
32 // ErrNoSuchKeepServer is returned when GetIndex is invoked with a UUID with no matching keep server
33 var ErrNoSuchKeepServer = errors.New("No keep server matching the given UUID is found")
35 // ErrIncompleteIndex is returned when the Index response does not end with a new empty line
36 var ErrIncompleteIndex = errors.New("Got incomplete index")
38 const X_Keep_Desired_Replicas = "X-Keep-Desired-Replicas"
39 const X_Keep_Replicas_Stored = "X-Keep-Replicas-Stored"
41 // Information about Arvados and Keep servers.
42 type KeepClient struct {
43 Arvados *arvadosclient.ArvadosClient
46 localRoots *map[string]string
47 writableLocalRoots *map[string]string
48 gatewayRoots *map[string]string
53 // set to 1 if all writable services are of disk type, otherwise 0
54 replicasPerService int
57 // MakeKeepClient creates a new KeepClient by contacting the API server to discover Keep servers.
58 func MakeKeepClient(arv *arvadosclient.ArvadosClient) (*KeepClient, error) {
60 return kc, kc.DiscoverKeepServers()
63 // New func creates a new KeepClient struct.
64 // This func does not discover keep servers. It is the caller's responsibility.
65 func New(arv *arvadosclient.ArvadosClient) *KeepClient {
66 defaultReplicationLevel := 2
67 value, err := arv.Discovery("defaultCollectionReplication")
69 v, ok := value.(float64)
71 defaultReplicationLevel = int(v)
77 Want_replicas: defaultReplicationLevel,
79 Client: &http.Client{Transport: &http.Transport{
80 TLSClientConfig: &tls.Config{InsecureSkipVerify: arv.ApiInsecure}}},
86 // Put a block given the block hash, a reader, and the number of bytes
87 // to read from the reader (which must be between 0 and BLOCKSIZE).
89 // Returns the locator for the written block, the number of replicas
90 // written, and an error.
92 // Returns an InsufficientReplicas error if 0 <= replicas <
94 func (kc *KeepClient) PutHR(hash string, r io.Reader, dataBytes int64) (string, int, error) {
95 // Buffer for reads from 'r'
98 if dataBytes > BLOCKSIZE {
99 return "", 0, OversizeBlockError
101 bufsize = int(dataBytes)
106 t := streamer.AsyncStreamFromReader(bufsize, HashCheckingReader{r, md5.New(), hash})
109 return kc.putReplicas(hash, t, dataBytes)
112 // PutHB writes a block to Keep. The hash of the bytes is given in
113 // hash, and the data is given in buf.
115 // Return values are the same as for PutHR.
116 func (kc *KeepClient) PutHB(hash string, buf []byte) (string, int, error) {
117 t := streamer.AsyncStreamFromSlice(buf)
119 return kc.putReplicas(hash, t, int64(len(buf)))
122 // PutB writes a block to Keep. It computes the hash itself.
124 // Return values are the same as for PutHR.
125 func (kc *KeepClient) PutB(buffer []byte) (string, int, error) {
126 hash := fmt.Sprintf("%x", md5.Sum(buffer))
127 return kc.PutHB(hash, buffer)
130 // PutR writes a block to Keep. It first reads all data from r into a buffer
131 // in order to compute the hash.
133 // Return values are the same as for PutHR.
135 // If the block hash and data size are known, PutHR is more efficient.
136 func (kc *KeepClient) PutR(r io.Reader) (locator string, replicas int, err error) {
137 if buffer, err := ioutil.ReadAll(r); err != nil {
140 return kc.PutB(buffer)
144 func (kc *KeepClient) getOrHead(method string, locator string) (io.ReadCloser, int64, string, error) {
147 tries_remaining := 1 + kc.Retries
148 serversToTry := kc.getSortedRoots(locator)
149 var retryList []string
151 for tries_remaining > 0 {
155 for _, host := range serversToTry {
156 url := host + "/" + locator
158 req, err := http.NewRequest(method, url, nil)
160 errs = append(errs, fmt.Sprintf("%s: %v", url, err))
163 req.Header.Add("Authorization", fmt.Sprintf("OAuth2 %s", kc.Arvados.ApiToken))
164 resp, err := kc.Client.Do(req)
166 // Probably a network error, may be transient,
168 errs = append(errs, fmt.Sprintf("%s: %v", url, err))
169 retryList = append(retryList, host)
170 } else if resp.StatusCode != http.StatusOK {
172 respbody, _ = ioutil.ReadAll(&io.LimitedReader{resp.Body, 4096})
174 errs = append(errs, fmt.Sprintf("%s: HTTP %d %q",
175 url, resp.StatusCode, bytes.TrimSpace(respbody)))
177 if resp.StatusCode == 408 ||
178 resp.StatusCode == 429 ||
179 resp.StatusCode >= 500 {
180 // Timeout, too many requests, or other
181 // server side failure, transient
182 // error, can try again.
183 retryList = append(retryList, host)
188 return HashCheckingReader{
191 Check: locator[0:32],
192 }, resp.ContentLength, url, nil
195 return nil, resp.ContentLength, url, nil
200 serversToTry = retryList
202 log.Printf("DEBUG: %s %s failed: %v", method, locator, errs)
204 return nil, 0, "", BlockNotFound
207 // Get() retrieves a block, given a locator. Returns a reader, the
208 // expected data length, the URL the block is being fetched from, and
211 // If the block checksum does not match, the final Read() on the
212 // reader returned by this method will return a BadChecksum error
214 func (kc *KeepClient) Get(locator string) (io.ReadCloser, int64, string, error) {
215 return kc.getOrHead("GET", locator)
218 // Ask() verifies that a block with the given hash is available and
219 // readable, according to at least one Keep service. Unlike Get, it
220 // does not retrieve the data or verify that the data content matches
221 // the hash specified by the locator.
223 // Returns the data size (content length) reported by the Keep service
224 // and the URI reporting the data size.
225 func (kc *KeepClient) Ask(locator string) (int64, string, error) {
226 _, size, url, err := kc.getOrHead("HEAD", locator)
227 return size, url, err
230 // GetIndex retrieves a list of blocks stored on the given server whose hashes
231 // begin with the given prefix. The returned reader will return an error (other
232 // than EOF) if the complete index cannot be retrieved.
234 // This is meant to be used only by system components and admin tools.
235 // It will return an error unless the client is using a "data manager token"
236 // recognized by the Keep services.
237 func (kc *KeepClient) GetIndex(keepServiceUUID, prefix string) (io.Reader, error) {
238 url := kc.LocalRoots()[keepServiceUUID]
240 return nil, ErrNoSuchKeepServer
248 req, err := http.NewRequest("GET", url, nil)
253 req.Header.Add("Authorization", fmt.Sprintf("OAuth2 %s", kc.Arvados.ApiToken))
254 resp, err := kc.Client.Do(req)
259 defer resp.Body.Close()
261 if resp.StatusCode != http.StatusOK {
262 return nil, fmt.Errorf("Got http status code: %d", resp.StatusCode)
266 respBody, err = ioutil.ReadAll(resp.Body)
271 // Got index; verify that it is complete
272 // The response should be "\n" if no locators matched the prefix
273 // Else, it should be a list of locators followed by a blank line
274 if !bytes.Equal(respBody, []byte("\n")) && !bytes.HasSuffix(respBody, []byte("\n\n")) {
275 return nil, ErrIncompleteIndex
278 // Got complete index; strip the trailing newline and send
279 return bytes.NewReader(respBody[0 : len(respBody)-1]), nil
282 // LocalRoots() returns the map of local (i.e., disk and proxy) Keep
283 // services: uuid -> baseURI.
284 func (kc *KeepClient) LocalRoots() map[string]string {
286 defer kc.lock.RUnlock()
287 return *kc.localRoots
290 // GatewayRoots() returns the map of Keep remote gateway services:
292 func (kc *KeepClient) GatewayRoots() map[string]string {
294 defer kc.lock.RUnlock()
295 return *kc.gatewayRoots
298 // WritableLocalRoots() returns the map of writable local Keep services:
300 func (kc *KeepClient) WritableLocalRoots() map[string]string {
302 defer kc.lock.RUnlock()
303 return *kc.writableLocalRoots
306 // SetServiceRoots updates the localRoots and gatewayRoots maps,
307 // without risk of disrupting operations that are already in progress.
309 // The KeepClient makes its own copy of the supplied maps, so the
310 // caller can reuse/modify them after SetServiceRoots returns, but
311 // they should not be modified by any other goroutine while
312 // SetServiceRoots is running.
313 func (kc *KeepClient) SetServiceRoots(newLocals, newWritableLocals map[string]string, newGateways map[string]string) {
314 locals := make(map[string]string)
315 for uuid, root := range newLocals {
319 writables := make(map[string]string)
320 for uuid, root := range newWritableLocals {
321 writables[uuid] = root
324 gateways := make(map[string]string)
325 for uuid, root := range newGateways {
326 gateways[uuid] = root
330 defer kc.lock.Unlock()
331 kc.localRoots = &locals
332 kc.writableLocalRoots = &writables
333 kc.gatewayRoots = &gateways
336 // getSortedRoots returns a list of base URIs of Keep services, in the
337 // order they should be attempted in order to retrieve content for the
339 func (kc *KeepClient) getSortedRoots(locator string) []string {
341 for _, hint := range strings.Split(locator, "+") {
342 if len(hint) < 7 || hint[0:2] != "K@" {
343 // Not a service hint.
347 // +K@abcde means fetch from proxy at
348 // keep.abcde.arvadosapi.com
349 found = append(found, "https://keep."+hint[2:]+".arvadosapi.com")
350 } else if len(hint) == 29 {
351 // +K@abcde-abcde-abcdeabcdeabcde means fetch
352 // from gateway with given uuid
353 if gwURI, ok := kc.GatewayRoots()[hint[2:]]; ok {
354 found = append(found, gwURI)
356 // else this hint is no use to us; carry on.
359 // After trying all usable service hints, fall back to local roots.
360 found = append(found, NewRootSorter(kc.LocalRoots(), locator[0:32]).GetSortedRoots()...)
364 type Locator struct {
366 Size int // -1 if data size is not known
367 Hints []string // Including the size hint, if any
370 func (loc *Locator) String() string {
372 if len(loc.Hints) > 0 {
373 s = s + "+" + strings.Join(loc.Hints, "+")
378 var locatorMatcher = regexp.MustCompile("^([0-9a-f]{32})([+](.*))?$")
380 func MakeLocator(path string) (*Locator, error) {
381 sm := locatorMatcher.FindStringSubmatch(path)
383 return nil, InvalidLocatorError
385 loc := Locator{Hash: sm[1], Size: -1}
387 loc.Hints = strings.Split(sm[3], "+")
389 loc.Hints = []string{}
391 if len(loc.Hints) > 0 {
392 if size, err := strconv.Atoi(loc.Hints[0]); err == nil {