Possible mismatch between dates in collections.scenes and scenes passed to evaluatePixel

Hello,

I have a current open topic but since I cannot edit the title and it does not illustrate my issue anymore, I thought of starting a new, better tailored one.

In my script for ProcessingAPI, I build a list of dates (sampleDates) in the updateOutput function using the full scene collection (collections.scenes). Later, in evaluatePixel, I use the samples and scenes arrays to compute daily NDVI and bands.

The problem is that one of the dates present in sampleDates (derived from collections.scenes) does not appear in the scenes passed to evaluatePixel. As a result, when I map over sampleDates to retrieve the NDVI and band values, that extra date is missing—causing my NDVI lookup to return undefined (and falling back to a default value), and in some cases even triggering errors when attempting to access properties of undefined.

I have verified that my key-generation method is consistent (using a helper to produce “YYYY-MM-DD” strings), so I believe the issue stems from the difference between the full scene collection and the filtered scenes in evaluatePixel.

When adding:

 "processedSceneDates": scenes.map(scene => getDateKey(scene.date))

to the updateOutputMetadata(), there’s no scene for the date in question: 2018-10-12… but it is there in response[‘userdata.json’][‘acquisitionDates’] so I’m quite surprise at this discrepancy.

Somehow, this date exists in sampleDates, calculated using

collections.scenes.forEach(scene => {
    uniqueDailyDates.add(getDateKey(scene.date));
    uniqueWeeklyDates.add(getSunday(scene.date));
  });
  sampleDates = Array.from(uniqueDailyDates).sort();

But doesn’t in scenes object…:

function evaluatePixel(samples, scenes) {
  let weeklyNDVI = calcScenesNDVI(samples, scenes);
  let dailyNDVI = calcDailyNDVI(samples, scenes);
  let dailyBands = calcDailyBands(samples, scenes);

To resume, what I don’t understand so far:

  1. How the scenes passed to evaluatePixel are determined relative to collections.scenes used in updateOutput?
  2. Why might there be a date present in the full collection that does not appear in the filtered scenes used for pixel evaluation?
  3. Any recommended practices for ensuring that my evaluation script only uses dates for which scene data is available in evaluatePixel?

Here’s my full request:


{
“input” : {
“bounds” : {
“properties” : {
“crs” : “http://www.opengis.net/def/crs/EPSG/0/4326”
},
“bbox” : [ -8.510710114131484, 32.427272107731056, -8.509924222820445, 32.428446842115875 ]
},
“data” : [ {
“type” : “sentinel-2-l2a”,
“dataFilter” : {
“timeRange” : {
“from” : “2018-08-23T00:00:00Z”,
“to” : “2018-11-07T00:00:00Z”
},
“maxCloudCoverage” : “90”,
“mosaickingOrder” : “leastCC”
}
} ]
},
“evalscript” : “//VERSION=3\nfunction setup() {\n return {\n input: [{bands: ["B03", "B04", "B08", "SCL", "CLD", "dataMask"], units: "DN"}],\n output: [\n {id: "dailyNDVI", bands: 1, sampleType: "UINT16"},\n {id: "weeklyNDVI", bands: 1, sampleType: "UINT16"},\n {id: "B03", bands: 1, sampleType: "UINT16"},\n {id: "B04", bands: 1, sampleType: "UINT16"},\n {id: "B08", bands: 1, sampleType: "UINT16"}\n ],\n mosaicking: "ORBIT"\n };\n}\n\nconst MIN_INT16 = -32768\nconst OFFSET = 32767\nconst FACTOR = 10000\nlet sampleWeeklyDates = ;\nlet sampleDates = ;\n\nfunction calcNDVI(sample) {\n // Invalid data.\n if (!isValid(sample)) {\n return MIN_INT16\n }\n\n // Cloud detection.\n if (isCloud(sample)) {\n return -2\n }\n\n // Water detection.\n if (isWater(sample)) {\n return 3\n }\n if (isWaterCandidate(sample)) {\n return 2\n }\n\n return index(sample.B08, sample.B04)\n}\n\nfunction isValid(sample) {\n return sample.dataMask === 1\n}\n\nfunction isCloud(sample) {\n // All pixels corresponding to defective (class 1), cloud shadows (3), medium & high cloud probability (8 & 9),\n // thin cirrus (10) or snow (11) in SCL band. List of classes:\n // [https://sentinel.esa.int/web/sentinel/technical-guides/sentinel-2-msi/level-2a/algorithm\n](https://sentinel.esa.int/web/sentinel/technical-guides/sentinel-2-msi/level-2a/algorithm%5Cn) return (sample.SCL === 1 || sample.SCL === 3 || sample.SCL > 7) ? true :\n // Dark area pixels: Mask all pixels whose cloud probability >= 10%.\n (sample.SCL === 2 && sample.CLD >= 10) ? true :\n // Vegetation: Mask all pixels whose cloud probability >= 60%.\n (sample.SCL === 4 && sample.CLD >= 60) ? true :\n // Bare soil: Mask all pixels whose cloud probability >= 5%.\n (sample.SCL === 5 && sample.CLD >= 5) ? true :\n // Unclassified: Mask all pixels whose cloud probability >= 10%.\n (sample.SCL === 7 && sample.CLD >= 10)\n}\n\nfunction isWater(sample) {\n // Mask pixels corresponding to water (class 6) as 3.\n return sample.SCL === 6\n}\n\nfunction isWaterCandidate(sample) {\n // Mask pixels corresponding to dark area (class 2) and unclassified (class 7) to 2 whose cloud probability < 10%\n // and NDWI index (water mask) values > 0.15. Masked values act as a ranking score when we mosaic tiles.\n // Mosaicking takes pixel with max value on overlap, hence we prioritise water pixels (3), then pixels which\n // could be water (2), then vegetation pixels (0-1) and clouds (-2).\n const ndwi = calcNDWI(sample)\n return (sample.SCL === 2 || sample.SCL === 7) && sample.CLD < 10 && ndwi > 0.15\n}\n\nfunction calcNDWI(sample) {\n return index(sample.B03, sample.B08)\n}\n\nfunction getSunday(date) {\n let new_date = new Date(date);\n new_date.setUTCDate(new_date.getUTCDate() + ((7 - new_date.getUTCDay())) % 7);\n return new_date;\n}\n\nfunction getDate(date) {\n let new_date = new Date(date);\n new_date.setUTCDate(new_date.getUTCDate());\n return new_date;\n}\n\n\nfunction calcScenesNDVI(samples, scenes) {\n return samples.reduce(function (acc, sample, index) {\n const sceneWeek = JSON.stringify(getSunday(scenes[index].date));\n const ndvi = calcNDVI(sample);\n\n if (!acc[sceneWeek]) {\n acc[sceneWeek] = MIN_INT16\n }\n\n acc[sceneWeek] = Math.max(acc[sceneWeek], ndvi)\n return acc\n }, {})\n}\n\n\nfunction calcDailyNDVI(samples, scenes) {\n return samples.reduce(function (dailyNdvis, sample, index) {\n const date = JSON.stringify(getDate(scenes[index].date));\n const dailyNdvi = calcNDVI(sample);\n\n if (!dailyNdvis[date]) {\n dailyNdvis[date] = MIN_INT16\n }\n\n dailyNdvis[date] = dailyNdvi\n return dailyNdvis\n }, {})\n}\n\nfunction calcDailyBands(samples, scenes) {\n const res = {};\n for (let i = 0; i < samples.length; i++) {\n const sample = samples[i];\n const scene = scenes[i];\n const date = JSON.stringify(new Date(scene.date));\n res[date] = {\n B03: isValid(sample) ? sample.B03 : 5000,\n B04: isValid(sample) ? sample.B04 : 4000,\n B08: isValid(sample) ? sample.B08 : 5000\n };\n }\n return res;\n}\n\nfunction preProcessScenes (collections) {\n // Sort scenes by dateFrom in ascending order\n collections.scenes.orbits.sort(function (s1, s2) {\n const date1 = new Date(s1.dateFrom)\n const date2 = new Date(s2.dateFrom)\n return date1 - date2\n })\n return collections\n}\n\nfunction updateOutput(outputs, collections) {\n // This function is executed after the setup() and preProcessScenes() functions but before the evaluatePixel().\n // This ensures that the sampleDates array contains all available dates and can be used to ensure consistent order\n // of dates in both the metadata and tiles.\n let uniqueDailyDates = new Set();\n let uniqueWeeklyDates = new Set();\n\n collections.scenes.forEach(scene => {\n uniqueDailyDates.add(JSON.stringify(getDate(scene.date)));\n uniqueWeeklyDates.add(JSON.stringify(getSunday(scene.date)));\n });\n sampleDates = Array.from(uniqueDailyDates).sort();\n sampleWeeklyDates = Array.from(uniqueWeeklyDates).sort();\n\n // Band number must be at least 1 for the request not to fail (even if no tiles were available).\n outputs.weeklyNDVI.bands = Math.max(1, sampleWeeklyDates.length);\n outputs.dailyNDVI.bands = Math.max(1, sampleDates.length);\n outputs.B03.bands = Math.max(1, sampleDates.length);\n outputs.B04.bands = Math.max(1, sampleDates.length);\n outputs.B08.bands = Math.max(1, sampleDates.length);\n}\n\nfunction updateOutputMetadata(scenes, inputMetadata, outputMetadata){\n outputMetadata.userData = {\n "acquisitionDates": […sampleDates],\n "weeklyDates": […sampleWeeklyDates]\n }\n}\n\nfunction evaluatePixel(samples, scenes) {\n let weeklyNDVI = calcScenesNDVI(samples, scenes);\n let dailyNDVI = calcDailyNDVI(samples, scenes);\n let dailyBands = calcDailyBands(samples, scenes);\n\n return {\n dailyNDVI: sampleDates.map(x => dailyNDVI).map(y => y !== undefined ? y * FACTOR + OFFSET : 1000),\n weeklyNDVI: sampleWeeklyDates.map(x => weeklyNDVI).map(y => y !== MIN_INT16 ? y * FACTOR + OFFSET : 0),\n B03: sampleDates.map(date => dailyBands[date] ? dailyBands[date].B03 : 3000),\n B04: sampleDates.map(date => dailyBands[date] ? dailyBands[date].B04 : 3000),\n B08: sampleDates.map(date => dailyBands[date] ? dailyBands[date].B08 : 3000)\n };\n}”,
“output” : {
“responses” : [ {
“identifier” : “dailyNDVI”,
“format” : {
“type” : “image/tiff”
}
}, {
“identifier” : “B03”,
“format” : {
“type” : “image/tiff”
}
}, {
“identifier” : “B04”,
“format” : {
“type” : “image/tiff”
}
}, {
“identifier” : “B08”,
“format” : {
“type” : “image/tiff”
}
}, {
“identifier” : “weeklyNDVI”,
“format” : {
“type” : “image/tiff”
}
}, {
“identifier” : “userdata”,
“format” : {
“type” : “application/json”
}
} ],
“width” : 7,
“height” : 13
}
}

Hi,

I would recommend reading through the documentation page on this subject again, as this is sometimes obtuse to fully understand.

The paragraph of most interest to you will be:

Note: ORBIT mosaicking currently does not work exactly as described but generates a single scene for each day containing satellite data. For most requests this should not be an issue, however high latitude regions may have more than one acquisition per day. For these consider using TILE mosaicking if getting all available data is paramount. This will be corrected in future releases.

I think TILE mosaicking might be more appropriate for your use case.

However, to try and answer your specific example, I checked your AOI which intersects with the edge of the Sentinel-2 scene for that day. As you can see it is intersected by the footprint of the image when searching for the scene. However, when you visualise the data, the field is fully outside the footprint of the valid data. The footprints provided are not 100% accurate so in edge cases such as these you might expect data when in fact there is none.


This appears to be the case for all the Sentinel-2 acquisitions with the Tile: 29SNR.

In addition, as I think it was an issue in your previous post, if you are using the mosaicking order parameter: “leastCC” your scenes will be ordered by the cloud cover percentage and not the date and time.

I hope this makes it clearer for you.

Hi William,

Thank you very much for spending time to help me with this issue, it’s really appreciated.

After reading your explanation, I still have two questions that are not yet clear for me,

  1. The field being completely outside of valid data only happened for one day in all the dates fetched by the request I sent you. Why was that the case?
  2. You mentioned I should order them by “leastCC”, however my understanding of this parameter is that it doesn’t have an influence in the ordering of the resulting “mosaicqued” scenes, but rather when applying mosaic for a given date, to pick first, if there are multiple acquisitions for the same day, the one with the least CC. I managed to fix the date ordering in my script, without changing this parameter yesterday, so that it does not return the date that does not “exist” in sampleDates as last in my array. Is my understanding wrong here however?

I can answer 1. relatively quickly. The edges of the tiles may not always be consistent. I would recommend scrolling through the different dates in your time range and you can see how the border changes. This will be similar with the vector tile extent too. https://sentinelshare.page.link/szCy

For the second question, I will try and find an answer for you next week and update you here.