1 // Deals with parsing Collection responses from API Server.
8 "git.curoverse.com/arvados.git/sdk/go/arvadosclient"
9 "git.curoverse.com/arvados.git/sdk/go/blockdigest"
10 "git.curoverse.com/arvados.git/sdk/go/logger"
11 "git.curoverse.com/arvados.git/sdk/go/manifest"
12 "git.curoverse.com/arvados.git/sdk/go/util"
20 HeapProfileFilename string
23 // Collection representation
24 type Collection struct {
28 BlockDigestToSize map[blockdigest.BlockDigest]int
32 // ReadCollections holds information about collections from API server
33 type ReadCollections struct {
34 ReadAllCollections bool
35 UUIDToCollection map[string]Collection
36 OwnerToCollectionSize map[string]int
37 BlockToDesiredReplication map[blockdigest.DigestWithSize]int
38 CollectionUUIDToIndex map[string]int
39 CollectionIndexToUUID []string
40 BlockToCollectionIndices map[blockdigest.DigestWithSize][]int
43 // GetCollectionsParams params
44 type GetCollectionsParams struct {
45 Client arvadosclient.ArvadosClient
50 // SdkCollectionInfo holds collection info from api
51 type SdkCollectionInfo struct {
52 UUID string `json:"uuid"`
53 OwnerUUID string `json:"owner_uuid"`
54 Redundancy int `json:"redundancy"`
55 ModifiedAt time.Time `json:"modified_at"`
56 ManifestText string `json:"manifest_text"`
59 // SdkCollectionList lists collections from api
60 type SdkCollectionList struct {
61 ItemsAvailable int `json:"items_available"`
62 Items []SdkCollectionInfo `json:"items"`
66 flag.StringVar(&HeapProfileFilename,
69 "File to write the heap profiles to. Leave blank to skip profiling.")
72 // WriteHeapProfile writes the heap profile to a file for later review.
73 // Since a file is expected to only contain a single heap profile this
74 // function overwrites the previously written profile, so it is safe
75 // to call multiple times in a single run.
76 // Otherwise we would see cumulative numbers as explained here:
77 // https://groups.google.com/d/msg/golang-nuts/ZyHciRglQYc/2nh4Ndu2fZcJ
78 func WriteHeapProfile() error {
79 if HeapProfileFilename != "" {
80 heapProfile, err := os.Create(HeapProfileFilename)
85 defer heapProfile.Close()
87 err = pprof.WriteHeapProfile(heapProfile)
94 // GetCollectionsAndSummarize gets collections from api and summarizes
95 func GetCollectionsAndSummarize(params GetCollectionsParams) (results ReadCollections, err error) {
96 results, err = GetCollections(params)
101 results.Summarize(params.Logger)
103 log.Printf("Uuid to Size used: %v", results.OwnerToCollectionSize)
104 log.Printf("Read and processed %d collections",
105 len(results.UUIDToCollection))
107 // TODO(misha): Add a "readonly" flag. If we're in readonly mode,
108 // lots of behaviors can become warnings (and obviously we can't
110 // if !readCollections.ReadAllCollections {
111 // log.Fatalf("Did not read all collections")
117 // GetCollections gets collections from api
118 func GetCollections(params GetCollectionsParams) (results ReadCollections, err error) {
119 if ¶ms.Client == nil {
120 err = fmt.Errorf("params.Client passed to GetCollections() should " +
121 "contain a valid ArvadosClient, but instead it is nil.")
125 fieldsWanted := []string{"manifest_text",
131 sdkParams := arvadosclient.Dict{
132 "select": fieldsWanted,
133 "order": []string{"modified_at ASC"},
134 "filters": [][]string{[]string{"modified_at", ">=", "1900-01-01T00:00:00Z"}}}
136 if params.BatchSize > 0 {
137 sdkParams["limit"] = params.BatchSize
140 var defaultReplicationLevel int
142 var value interface{}
143 value, err = params.Client.Discovery("defaultCollectionReplication")
148 defaultReplicationLevel = int(value.(float64))
149 if defaultReplicationLevel <= 0 {
150 err = fmt.Errorf("Default collection replication returned by arvados SDK "+
151 "should be a positive integer but instead it was %d.",
152 defaultReplicationLevel)
157 initialNumberOfCollectionsAvailable, err :=
158 util.NumberItemsAvailable(params.Client, "collections")
162 // Include a 1% margin for collections added while we're reading so
163 // that we don't have to grow the map in most cases.
164 maxExpectedCollections := int(
165 float64(initialNumberOfCollectionsAvailable) * 1.01)
166 results.UUIDToCollection = make(map[string]Collection, maxExpectedCollections)
168 if params.Logger != nil {
169 params.Logger.Update(func(p map[string]interface{}, e map[string]interface{}) {
170 collectionInfo := logger.GetOrCreateMap(p, "collection_info")
171 collectionInfo["num_collections_at_start"] = initialNumberOfCollectionsAvailable
172 collectionInfo["batch_size"] = params.BatchSize
173 collectionInfo["default_replication_level"] = defaultReplicationLevel
177 // These values are just for getting the loop to run the first time,
178 // afterwards they'll be set to real values.
179 previousTotalCollections := -1
180 totalCollections := 0
181 for totalCollections > previousTotalCollections {
182 // We're still finding new collections
184 // Write the heap profile for examining memory usage
185 err = WriteHeapProfile()
190 // Get next batch of collections.
191 var collections SdkCollectionList
192 err = params.Client.List("collections", sdkParams, &collections)
197 // Process collection and update our date filter.
198 latestModificationDate, maxManifestSize, totalManifestSize, err := ProcessCollections(params.Logger,
200 defaultReplicationLevel,
201 results.UUIDToCollection)
205 sdkParams["filters"].([][]string)[0][2] = latestModificationDate.Format(time.RFC3339)
208 previousTotalCollections = totalCollections
209 totalCollections = len(results.UUIDToCollection)
211 log.Printf("%d collections read, %d new in last batch, "+
212 "%s latest modified date, %.0f %d %d avg,max,total manifest size",
214 totalCollections-previousTotalCollections,
215 sdkParams["filters"].([][]string)[0][2],
216 float32(totalManifestSize)/float32(totalCollections),
217 maxManifestSize, totalManifestSize)
219 if params.Logger != nil {
220 params.Logger.Update(func(p map[string]interface{}, e map[string]interface{}) {
221 collectionInfo := logger.GetOrCreateMap(p, "collection_info")
222 collectionInfo["collections_read"] = totalCollections
223 collectionInfo["latest_modified_date_seen"] = sdkParams["filters"].([][]string)[0][2]
224 collectionInfo["total_manifest_size"] = totalManifestSize
225 collectionInfo["max_manifest_size"] = maxManifestSize
230 // Write the heap profile for examining memory usage
231 err = WriteHeapProfile()
236 // StrCopy returns a newly allocated string.
237 // It is useful to copy slices so that the garbage collector can reuse
238 // the memory of the longer strings they came from.
239 func StrCopy(s string) string {
240 return string([]byte(s))
243 // ProcessCollections read from api server
244 func ProcessCollections(arvLogger *logger.Logger,
245 receivedCollections []SdkCollectionInfo,
246 defaultReplicationLevel int,
247 UUIDToCollection map[string]Collection,
249 latestModificationDate time.Time,
250 maxManifestSize, totalManifestSize uint64,
253 for _, sdkCollection := range receivedCollections {
254 collection := Collection{UUID: StrCopy(sdkCollection.UUID),
255 OwnerUUID: StrCopy(sdkCollection.OwnerUUID),
256 ReplicationLevel: sdkCollection.Redundancy,
257 BlockDigestToSize: make(map[blockdigest.BlockDigest]int)}
259 if sdkCollection.ModifiedAt.IsZero() {
261 "Arvados SDK collection returned with unexpected zero "+
262 "modification date. This probably means that either we failed to "+
263 "parse the modification date or the API server has changed how "+
264 "it returns modification dates: %+v",
269 if sdkCollection.ModifiedAt.After(latestModificationDate) {
270 latestModificationDate = sdkCollection.ModifiedAt
273 if collection.ReplicationLevel == 0 {
274 collection.ReplicationLevel = defaultReplicationLevel
277 manifest := manifest.Manifest{Text: sdkCollection.ManifestText}
278 manifestSize := uint64(len(sdkCollection.ManifestText))
280 if _, alreadySeen := UUIDToCollection[collection.UUID]; !alreadySeen {
281 totalManifestSize += manifestSize
283 if manifestSize > maxManifestSize {
284 maxManifestSize = manifestSize
287 blockChannel := manifest.BlockIterWithDuplicates()
288 for block := range blockChannel {
289 if storedSize, stored := collection.BlockDigestToSize[block.Digest]; stored && storedSize != block.Size {
291 "Collection %s contains multiple sizes (%d and %d) for block %s",
297 collection.BlockDigestToSize[block.Digest] = block.Size
299 if manifest.Err != nil {
304 collection.TotalSize = 0
305 for _, size := range collection.BlockDigestToSize {
306 collection.TotalSize += size
308 UUIDToCollection[collection.UUID] = collection
310 // Clear out all the manifest strings that we don't need anymore.
311 // These hopefully form the bulk of our memory usage.
313 sdkCollection.ManifestText = ""
319 // Summarize the collections read
320 func (readCollections *ReadCollections) Summarize(arvLogger *logger.Logger) {
321 readCollections.OwnerToCollectionSize = make(map[string]int)
322 readCollections.BlockToDesiredReplication = make(map[blockdigest.DigestWithSize]int)
323 numCollections := len(readCollections.UUIDToCollection)
324 readCollections.CollectionUUIDToIndex = make(map[string]int, numCollections)
325 readCollections.CollectionIndexToUUID = make([]string, 0, numCollections)
326 readCollections.BlockToCollectionIndices = make(map[blockdigest.DigestWithSize][]int)
328 for _, coll := range readCollections.UUIDToCollection {
329 collectionIndex := len(readCollections.CollectionIndexToUUID)
330 readCollections.CollectionIndexToUUID =
331 append(readCollections.CollectionIndexToUUID, coll.UUID)
332 readCollections.CollectionUUIDToIndex[coll.UUID] = collectionIndex
334 readCollections.OwnerToCollectionSize[coll.OwnerUUID] =
335 readCollections.OwnerToCollectionSize[coll.OwnerUUID] + coll.TotalSize
337 for block, size := range coll.BlockDigestToSize {
338 locator := blockdigest.DigestWithSize{Digest: block, Size: uint32(size)}
339 readCollections.BlockToCollectionIndices[locator] =
340 append(readCollections.BlockToCollectionIndices[locator],
342 storedReplication := readCollections.BlockToDesiredReplication[locator]
343 if coll.ReplicationLevel > storedReplication {
344 readCollections.BlockToDesiredReplication[locator] =
345 coll.ReplicationLevel
350 if arvLogger != nil {
351 arvLogger.Update(func(p map[string]interface{}, e map[string]interface{}) {
352 collectionInfo := logger.GetOrCreateMap(p, "collection_info")
353 // Since maps are shallow copied, we run a risk of concurrent
354 // updates here. By copying results.OwnerToCollectionSize into
355 // the log, we're assuming that it won't be updated.
356 collectionInfo["owner_to_collection_size"] =
357 readCollections.OwnerToCollectionSize
358 collectionInfo["distinct_blocks_named"] =
359 len(readCollections.BlockToDesiredReplication)