File size: 13,072 Bytes
6ee917b
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
import Foundation
import OmFileFormat
import Vapor

/**
 Merge database chunks into a yearly file.
 Data is processed in small portions to keep memory usage low. A single yearly file could exceed 200GB+ raw memory.
 */
struct MergeYearlyCommand: AsyncCommand {
    var help: String {
        return "Merge database chunks into yearly files"
    }
    
    struct Signature: CommandSignature {
        @Argument(name: "domain", help: "Domain e.g. ")
        var domain: String
        
        @Argument(name: "years", help: "A singe year or a range of years. E.g. 2017-2020")
        var years: String
        
        @Option(name: "variables", help: "Only process a list of coma separated variables")
        var variables: String?
        
        @Flag(name: "force", help: "Generate yearly file, even if it already exists")
        var force: Bool
        
        @Flag(name: "delete", help: "Delete the underlaying chunks")
        var delete: Bool
    }
    
    func run(using context: CommandContext, signature: Signature) async throws {
        let logger = context.application.logger
        let registry = try DomainRegistry.load(rawValue: signature.domain)
        let years = try signature.years.getYearsRange()
        let domain = registry.getDomain()
        
        let variables: [String] = try signature.variables.map({$0.split(separator: ",").map(String.init)}) ?? FileManager.default.contentsOfDirectory(atPath: registry.directory).filter { !$0.contains(".") && $0 != "static" }
        
        for year in years {
            for variable in variables {
                try Self.generateYearlyFile(logger: logger, domain: domain, year: year, variable: variable, force: signature.force)
            }
        }
        
        // Determinate chunks to be deleted (chunk fully covered in years range)
        let omFileLength = domain.omFileLength
        let yearsTime = TimerangeDt(start: Timestamp(years.lowerBound,1,1), to: Timestamp(years.upperBound+1,1,1), dtSeconds: domain.dtSeconds)
        let yearsIndex = yearsTime.toIndexTime()
        let fullyCoveredChunks = yearsIndex.lowerBound.divideRoundedUp(divisor: omFileLength) ..< yearsIndex.upperBound / omFileLength
        logger.info("Chunks within range \(fullyCoveredChunks) could be deleted now. If --delete is set, files will be deleted now")
        for chunk in fullyCoveredChunks {
            for variable in variables {
                let path = "\(registry.directory)\(variable)/chunk_\(chunk).om"
                let time = TimerangeDt(start: Timestamp(chunk * omFileLength * domain.dtSeconds), nTime: omFileLength, dtSeconds: domain.dtSeconds)
                logger.info("rm \(path) time \(time.prettyString())")
                if signature.delete {
                    try FileManager.default.removeItemIfExists(at: path)
                }
            }
        }
    }
    
    /// Generate a yearly file for a specified domain, variable and year
    static func generateYearlyFile(logger: Logger, domain: GenericDomain, year: Int, variable: String, force: Bool) throws {
        let registry = domain.domainRegistry
        logger.info("Processing variable \(variable) for year \(year)")
        let yearlyFilePath = "\(registry.directory)\(variable)/year_\(year).om"
        let fileManager = FileManager.default
        
        guard !fileManager.fileExists(atPath: yearlyFilePath) || force else {
            logger.info("Yearly file /\(variable)/year_\(year).om already exists. Skipping.")
            return
        }
        
        let omFileLength = domain.omFileLength
        let dtSeconds = domain.dtSeconds
        let yearTime = TimerangeDt(start: Timestamp(year, 1, 1), to: Timestamp(year+1, 1, 1), dtSeconds: dtSeconds)
        let grid = domain.grid
        let ny = UInt64(grid.ny)
        let nx = UInt64(grid.nx)
        let nt = UInt64(yearTime.count)
        let indexTime = yearTime.toIndexTime()
        let chunkRange = indexTime.divideRoundedUp(divisor: omFileLength)
        let chunkFiles = try chunkRange.compactMap { chunkIndex -> (file: OmFileReaderArray<MmapFile, Float>, indexTime: Range<Int>)? in
            let file = "\(registry.directory)/\(variable)/chunk_\(chunkIndex).om"
            guard fileManager.fileExists(atPath: file) else {
                logger.info("Chunk file \(variable)/chunk_\(chunkIndex).om does not exist. Skipping.")
                return nil
            }
            guard let reader = try OmFileReader(file: file).asArray(of: Float.self) else {
                return nil
            }
            let indexTime = chunkIndex*omFileLength ..< (chunkIndex+1)*omFileLength
            return (reader, indexTime)
        }
        guard chunkFiles.count == chunkRange.count else {
            throw MergeYearlyError.notAllChunksAvailable
        }
        
        /// Hardcoded to 6 locations times 21 days in 1-hourly timesteps (504) => 3024 elements
        let chunksOut: [UInt64] = [1, 6, 21 * 24]
        let dimensionsOut = [ny, nx, UInt64(yearTime.count)]
        let temporary = "\(yearlyFilePath)~"
        let writeFn = try FileHandle.createNewFile(file: temporary)
        let fileWriter = OmFileWriter(fn: writeFn, initialCapacity: 1024 * 1024 * 10)
        let writer = try fileWriter.prepareArray(
            type: Float.self,
            dimensions: dimensionsOut,
            chunkDimensions: chunksOut,
            compression: chunkFiles.last!.file.compression,
            scale_factor: chunkFiles.last!.file.scaleFactor,
            add_offset: chunkFiles.last!.file.addOffset
        )
        
        let progress = TransferAmountTracker(logger: logger, totalSize: 4 * Int(dimensionsOut.reduce(1, *)), name: "Convert")
        for yStart in stride(from: 0, to: ny, by: UInt64.Stride(chunksOut[0])) {
            for xStart in stride(from: 0, to: nx, by: UInt64.Stride(chunksOut[1])) {
                for tStart in stride(from: 0, to: nt, by: UInt64.Stride(chunksOut[2])) {
                    let yRange = yStart ..< min(yStart + chunksOut[0], ny)
                    let xRange = xStart ..< min(xStart + chunksOut[1], nx)
                    let tRange = tStart ..< min(tStart + chunksOut[2], nt)
                    let chunkIndexTime = Int(tRange.lowerBound) + indexTime.lowerBound ..< Int(tRange.upperBound) + indexTime.lowerBound
                    
                    var data = [Float](repeating: .nan, count: yRange.count * xRange.count * tRange.count)
                    //print("chunk y=\(yRange) x=\(xRange) t=\(tRange)")
                    for chunk in chunkFiles {
                        guard let offsets = chunkIndexTime.intersect(fileTime: chunk.indexTime) else {
                            continue
                        }
                        switch chunk.file.getDimensions().count {
                        case 2:
                            // legacy 2D case
                            for (row, y) in yRange.enumerated() {
                                try chunk.file.read(
                                    into: &data,
                                    range: [y * nx + xRange.startIndex ..< y * nx + xRange.endIndex, offsets.file.toUInt64()],
                                    intoCubeOffset: [UInt64(row * xRange.count), UInt64(offsets.array.lowerBound)],
                                    intoCubeDimension: [UInt64(yRange.count * xRange.count), UInt64(tRange.count)]
                                )
                            }
                        case 3:
                            try chunk.file.read(
                                into: &data,
                                range: [yRange, xRange, offsets.file.toUInt64()],
                                intoCubeOffset: [0, 0, UInt64(offsets.array.lowerBound)],
                                intoCubeDimension: [UInt64(yRange.count), UInt64(xRange.count), UInt64(tRange.count)]
                            )
                        default:
                            throw MergeYearlyError.unexpectedDimensionsCount
                        }
                    }
                    try writer.writeData(
                        array: data,
                        arrayDimensions: [UInt64(yRange.count), UInt64(xRange.count), UInt64(tRange.count)],
                        arrayOffset: nil,
                        arrayCount: nil
                    )
                    progress.add(data.count * 4)
                }
            }
        }
        progress.finish()
        let variable = try fileWriter.write(
            array: try writer.finalise(),
            name: "",
            children: []
        )
        try fileWriter.writeTrailer(rootVariable: variable)
        try writeFn.close()
        
        /// Read data again to ensure the written data matches exactly
        guard let verify = try OmFileReader(file: temporary).asArray(of: Float.self) else {
            throw MergeYearlyError.couldNotReadData
        }
        let progressVerify = TransferAmountTracker(logger: logger, totalSize: 4 * Int(dimensionsOut.reduce(1, *)), name: "Verify")
        for yStart in stride(from: 0, to: ny, by: UInt64.Stride(chunksOut[0])) {
            for xStart in stride(from: 0, to: nx, by: UInt64.Stride(chunksOut[1])) {
                for tStart in stride(from: 0, to: nt, by: UInt64.Stride(chunksOut[2])) {
                    let yRange = yStart ..< min(yStart + chunksOut[0], ny)
                    let xRange = xStart ..< min(xStart + chunksOut[1], nx)
                    let tRange = tStart ..< min(tStart + chunksOut[2], nt)
                    let chunkIndexTime = Int(tRange.lowerBound) + indexTime.lowerBound ..< Int(tRange.upperBound) + indexTime.lowerBound
                    
                    var data = [Float](repeating: .nan, count: yRange.count * xRange.count * tRange.count)
                    for chunk in chunkFiles {
                        guard let offsets = chunkIndexTime.intersect(fileTime: chunk.indexTime) else {
                            continue
                        }
                        switch chunk.file.getDimensions().count {
                        case 2:
                            // legacy 2D case
                            for (row, y) in yRange.enumerated() {
                                try chunk.file.read(
                                    into: &data,
                                    range: [y * nx + xRange.startIndex ..< y * nx + xRange.endIndex, offsets.file.toUInt64()],
                                    intoCubeOffset: [UInt64(row * xRange.count), UInt64(offsets.array.lowerBound)],
                                    intoCubeDimension: [UInt64(yRange.count * xRange.count), UInt64(tRange.count)]
                                )
                            }
                        case 3:
                            try chunk.file.read(
                                into: &data,
                                range: [yRange, xRange, offsets.file.toUInt64()],
                                intoCubeOffset: [0, 0, UInt64(offsets.array.lowerBound)],
                                intoCubeDimension: [UInt64(yRange.count), UInt64(xRange.count), UInt64(tRange.count)]
                            )
                        default:
                            throw MergeYearlyError.unexpectedDimensionsCount
                        }
                    }
                    let verifyData = try verify.read(range: [yRange, xRange, tRange])
                    guard data.isSimilar(verifyData) else {
                        logger.error("Data does not match \(yRange) \(xRange) \(tRange)")
                        throw MergeYearlyError.validationFailed
                    }
                    progressVerify.add(data.count * 4)
                }
            }
        }
        progressVerify.finish()
        try FileManager.default.moveFileOverwrite(from: temporary, to: yearlyFilePath)
    }
}

enum MergeYearlyError: Error {
    case notAllChunksAvailable
    case unexpectedDimensionsCount
    case validationFailed
    case invalidYearRange(String)
    case couldNotReadData
}

fileprivate extension String {
    /// Expect a single year or a range of years. Format `2017` or `2017-2020`
    func getYearsRange(valid: ClosedRange<Int> = 1900...2100) throws -> ClosedRange<Int> {
        if self.contains("-") {
            let parts = self.split(separator: "-")
            guard parts.count == 2,
                  parts[0].count == 4,
                  parts[1].count == 4,
                  let first = Int(parts[0]),
                  let last = Int(parts[1]),
                  valid.contains(first),
                  valid.contains(last),
                  last >= first
            else {
                throw MergeYearlyError.invalidYearRange(self)
            }
            return first...last
        }
        guard self.count == 4,
              let year = Int(self),
              valid.contains(year)
        else {
            throw MergeYearlyError.invalidYearRange(self)
        }
        return year ... year
    }
}