From 842ac4a508dd7e60123347028c823a941f34914b Mon Sep 17 00:00:00 2001 From: gothub Date: Fri, 12 Nov 2021 15:27:55 -0800 Subject: [PATCH 01/36] Add resource.projectTitle.controlled Issue #420 --- .../resource.projectTitle.controlled.xml | 83 +++++++++++++++++++ 1 file changed, 83 insertions(+) create mode 100644 src/checks/resource.projectTitle.controlled.xml diff --git a/src/checks/resource.projectTitle.controlled.xml b/src/checks/resource.projectTitle.controlled.xml new file mode 100644 index 0000000..9d98838 --- /dev/null +++ b/src/checks/resource.projectTitle.controlled.xml @@ -0,0 +1,83 @@ + + + resource.projectTitle.controlled.1 + Resource Project Title Controlled + Check if the project title is contained in a list of known projects. + Findable + REQUIRED + python + displayNchars): + titleShort = u"{}...".format(projectTitle[:displayNchars]) + else: + titleShort = projectTitle + + # Loop through the projects in the list and see if there is + # a match with the name from the metadig + with open(projectFile, "r") as content: + data = json.load(content) + + for key in data: + thisTitle = data[key]['projectTitle'] + if(projectTitle == thisTitle): + output = "The project title was found in the project list." + if(len(thisTitle) > displayNchars): + outstr = u"{}...".format(thisTitle[:displayNchars]) + else: + outstr = thisTitle + + output = "The project name \"{}\" was found.".format(outstr) + status = "SUCCESS" + return False + + output = "The project title \"{}\" was not found in the project list.".format(titleShort) + status = "SUCCESS" + return False + ]]> + + projectTitle + /eml/dataset/project/title + + + + Ecological Metadata Language + boolean(/*[local-name() = 'eml']) + + From 3f072ad3c101d9bc3cf5aaf41c1050dbeca1984f Mon Sep 17 00:00:00 2001 From: gothub Date: Tue, 14 Dec 2021 09:34:07 -0800 Subject: [PATCH 02/36] Add resource.projectTitle.controlled Issue #420 this check searches the official ESS/DOE project list for a match with the EML project title. If an exact match is not found, the closest fuzzy match is found, given a difference tolerance. --- .../resource.projectTitle.controlled.xml | 132 +++++++++--------- 1 file changed, 68 insertions(+), 64 deletions(-) diff --git a/src/checks/resource.projectTitle.controlled.xml b/src/checks/resource.projectTitle.controlled.xml index 9d98838..ec40776 100644 --- a/src/checks/resource.projectTitle.controlled.xml +++ b/src/checks/resource.projectTitle.controlled.xml @@ -5,76 +5,80 @@ Check if the project title is contained in a list of known projects. Findable REQUIRED - python + rscript displayNchars): - titleShort = u"{}...".format(projectTitle[:displayNchars]) - else: - titleShort = projectTitle - - # Loop through the projects in the list and see if there is - # a match with the name from the metadig - with open(projectFile, "r") as content: - data = json.load(content) + library(jsonlite) + library(stringdist) - for key in data: - thisTitle = data[key]['projectTitle'] - if(projectTitle == thisTitle): - output = "The project title was found in the project list." - if(len(thisTitle) > displayNchars): - outstr = u"{}...".format(thisTitle[:displayNchars]) - else: - outstr = thisTitle - - output = "The project name \"{}\" was found.".format(outstr) - status = "SUCCESS" - return False + if (length(projectTitle) == 0) { + status <- "FAILURE" + message <- "No project title was found." + } else if (length(projectTitle) > 1) { + status <- "FAILURE" + message <- "More than one project title is present, only one is allowed." + } else { + library(stringr) + # Trim whitespace, split abstract on whitespace + projectTitle <- trimws(projectTitle) - output = "The project title \"{}\" was not found in the project list.".format(titleShort) - status = "SUCCESS" - return False + projectListFn <- "ess-dive-projects.json" + projectListPath <- sprintf("%s/%s", mdq_params[['metadigDataDir']], projectListFn) + projects <- read_json(projectListPath, simplifyVector = FALSE) + controlledProjectTitles = list() + # Load project titles into a simple list, for use by the string distance functions + for (i in 1:length(projects)) { + controlledProjectTitles[i] <- projects[[i]]$projectTitle + } + } + + maxDist = 100 + diffTolerance = 0.65 + noMatchFound <- 0 + closestDist = maxDist + closestDistIndex = NA + smallestPercentDiff <- 10000 + exactMatchFound <- FALSE + message <- list() + for (ictrl in 1:length(controlledProjectTitles)) { + dist <- stringdist(projectTitle, controlledProjectTitles[[ictrl]], method=c("lv")) + percentDiff <- dist/nchar(projectTitle) + if(percentDiff < smallestPercentDiff) { + smallestPercentDiff <- percentDiff + } + if(dist == 0) { + exactMatchFound <- TRUE + break + } else if (dist < closestDist) { + closestDist <- dist + closestDistIndex <- ictrl + } + } + + status <- "FAILURE" + message <- list() + if (exactMatchFound) { + message[1] <- "The DOE project title was found in the controlled list of ESS projects." + message[2] <- "foo" + status <- "SUCCESS" + } else { + if(smallestPercentDiff < diffTolerance) { + # close match found + status <- "FAILURE" + message <- sprintf("The DOE project title listed is not from the controlled list of ESS projects: %s. \nThe closest match is: %s", projectTitle, controlledProjectTitles[[closestDistIndex]]) + } else { + # No match found + message <- sprintf("The DOE project title listed is not from the controlled list of ESS projects: %s\n", projectTitle) + status <- "FAILURE" + } + } + + mdq_result <- list(status = status, + #output = list(list(value = message))) + output = list(message) ]]> projectTitle - /eml/dataset/project/title - + /eml/dataset/project/title Ecological Metadata Language From 5a8b162726a477060c618e2c0abd2120d0d2b763 Mon Sep 17 00:00:00 2001 From: gothub Date: Tue, 14 Dec 2021 09:54:24 -0800 Subject: [PATCH 03/36] Add comments, update tolerance value Issue #420 --- .../resource.projectTitle.controlled.xml | 22 ++++++++++++------- 1 file changed, 14 insertions(+), 8 deletions(-) diff --git a/src/checks/resource.projectTitle.controlled.xml b/src/checks/resource.projectTitle.controlled.xml index ec40776..5cca1b4 100644 --- a/src/checks/resource.projectTitle.controlled.xml +++ b/src/checks/resource.projectTitle.controlled.xml @@ -10,6 +10,10 @@ library(jsonlite) library(stringdist) + # This check extracts the project tilte from the metadata document and compares it + # to a controlled list of DOE projects for an exact match. If an exact match is not + # found, the closest fuzzy match is found and displayed in the check output. + # Check the project title extracted from the metadata document if (length(projectTitle) == 0) { status <- "FAILURE" message <- "No project title was found." @@ -21,18 +25,20 @@ # Trim whitespace, split abstract on whitespace projectTitle <- trimws(projectTitle) + # Read in the controlled project title list projectListFn <- "ess-dive-projects.json" projectListPath <- sprintf("%s/%s", mdq_params[['metadigDataDir']], projectListFn) projects <- read_json(projectListPath, simplifyVector = FALSE) controlledProjectTitles = list() - # Load project titles into a simple list, for use by the string distance functions + # Load project titles into a simple list, for use with the string distance functions for (i in 1:length(projects)) { controlledProjectTitles[i] <- projects[[i]]$projectTitle } } + # When using the fuzzy match, a candidate match cannot be more different than this percent. + diffTolerance = 65.0 maxDist = 100 - diffTolerance = 0.65 noMatchFound <- 0 closestDist = maxDist closestDistIndex = NA @@ -41,7 +47,7 @@ message <- list() for (ictrl in 1:length(controlledProjectTitles)) { dist <- stringdist(projectTitle, controlledProjectTitles[[ictrl]], method=c("lv")) - percentDiff <- dist/nchar(projectTitle) + percentDiff <- (dist/nchar(projectTitle)) * 100.0 if(percentDiff < smallestPercentDiff) { smallestPercentDiff <- percentDiff } @@ -56,25 +62,25 @@ status <- "FAILURE" message <- list() + # An exact match was found if (exactMatchFound) { - message[1] <- "The DOE project title was found in the controlled list of ESS projects." - message[2] <- "foo" + message <- "The DOE project title was found in the controlled list of ESS projects." status <- "SUCCESS" } else { + # An exact match was not found, print out the closest match if(smallestPercentDiff < diffTolerance) { # close match found status <- "FAILURE" message <- sprintf("The DOE project title listed is not from the controlled list of ESS projects: %s. \nThe closest match is: %s", projectTitle, controlledProjectTitles[[closestDistIndex]]) } else { - # No match found + # No match was found within the difference tolerance message <- sprintf("The DOE project title listed is not from the controlled list of ESS projects: %s\n", projectTitle) status <- "FAILURE" } } mdq_result <- list(status = status, - #output = list(list(value = message))) - output = list(message) + output = list(list(value = message))) ]]> projectTitle From 20b70d89a7bbbcee27868cc8b4bca2f446039590 Mon Sep 17 00:00:00 2001 From: gothub Date: Wed, 15 Dec 2021 17:19:04 -0800 Subject: [PATCH 04/36] Add resource.URLs.resolvable Issue #422 This check extracts URL strings from abstract, methods, and other fields and verifies that they resolve to a web address. --- src/checks/resource.URLs.resolvable.xml | 102 ++++++++++++++++++++++++ 1 file changed, 102 insertions(+) create mode 100644 src/checks/resource.URLs.resolvable.xml diff --git a/src/checks/resource.URLs.resolvable.xml b/src/checks/resource.URLs.resolvable.xml new file mode 100644 index 0000000..d8783e0 --- /dev/null +++ b/src/checks/resource.URLs.resolvable.xml @@ -0,0 +1,102 @@ + + + resource.URLs.resolvable.1 + Metadata Identifier Resolvable + Check that the metadata identifier exists and is resolvable. + Accessible + REQUIRED + python + , etc + # Since the metadig-engine is stuck at XPath 1.0, we cannot use the xpath to gather these into + # a single string. + if(isinstance(textFields, list)): + textFields = ' '.join(textFields) + + # Tokenize the string and extract possible URLs + textTokens = textFields.split(' ') + for token in textTokens: + if(re.match("^\s*http.*:\/", token)): + urls.append(token) + # If the identifier is a 'bare' DOI (e.g. "doi:10.18739/A2027H"), then prepend with a DOI resolver link + # i.e. https://dx.doi.org + elif (re.match("^\s*doi:.*", token)): + urls.append("https://dx.doi.org/{}".format(token.strip())) + + uniqueUrls = list(set(urls)) + + unresolvableUrls = [] + for url in uniqueUrls: + resolvable, msg = checks.isResolvable(url) + if (not resolvable): + unresolvableUrls.append(url); + + output = 'unresolved: ' + ' '.join(unresolvableUrls) + status = "SUCCESS" + return True + + #if (resolvable): + # if(usedD1): + # output = u'{} and is resolvable using the DataONE resolve service.'.format(output) + # elif(isDOI): + # output = u'{} and is resolvable using a DOI resolver.'.format(output) + # else: + # output = u'{} and is resolvable.'.format(output) + # + # status = "SUCCESS" + # return True + #else: + # output = u"{}, but is not resolvable.".format(output) + # status = "FAILURE" + # return False + ]]> + + textFields + + + /eml/dataset/abstract//text()[normalize-space()] | + /eml/dataset/abstract//ulink/@url | + /eml/dataset/coverage/geographicCoverage/geographicDescription/text()[normalize-space] | + /eml/dataset/methods/methodStep/description//text()[normalize-space()] + + + + Ecological Metadata Language + boolean(/*[local-name() = 'eml']) + + From 27a6d0df905d3241b2bb554828a7c50691d0e7aa Mon Sep 17 00:00:00 2001 From: gothub Date: Mon, 3 Jan 2022 13:50:52 -0800 Subject: [PATCH 05/36] Improve output message Issue #422 If unresolvable URLs are found in the checked metadata fields, output the URLs that are in error. --- src/checks/resource.URLs.resolvable.xml | 39 +++++++++++++------------ 1 file changed, 20 insertions(+), 19 deletions(-) diff --git a/src/checks/resource.URLs.resolvable.xml b/src/checks/resource.URLs.resolvable.xml index d8783e0..f1d5e0e 100644 --- a/src/checks/resource.URLs.resolvable.xml +++ b/src/checks/resource.URLs.resolvable.xml @@ -18,6 +18,7 @@ def call(): global textFields global uniqueUrls global unresolvableUrls + maxPrint = 5 urls = [] @@ -59,31 +60,31 @@ def call(): urls.append("https://dx.doi.org/{}".format(token.strip())) uniqueUrls = list(set(urls)) - unresolvableUrls = [] + + # Check each unique URL to see if it is resolvable. The 'isResolvable' function sends an HTTP 'Head' + # request to the URL. for url in uniqueUrls: resolvable, msg = checks.isResolvable(url) if (not resolvable): unresolvableUrls.append(url); - output = 'unresolved: ' + ' '.join(unresolvableUrls) - status = "SUCCESS" - return True - - #if (resolvable): - # if(usedD1): - # output = u'{} and is resolvable using the DataONE resolve service.'.format(output) - # elif(isDOI): - # output = u'{} and is resolvable using a DOI resolver.'.format(output) - # else: - # output = u'{} and is resolvable.'.format(output) - # - # status = "SUCCESS" - # return True - #else: - # output = u"{}, but is not resolvable.".format(output) - # status = "FAILURE" - # return False + if (len(unresolvableUrls) > 0): + if(len(unresolvableUrls) == 1): + output = u'1 unresolvable URL found: {}'.format(', '.join(unresolvableUrls[0:maxPrint])) + # If unresolved is more than 'maxPrint' URLs, only print first maxPrint entries + elif(len(unresolvableUrls) <= maxPrint): + output = u'{} unresolvabled URLs found: {}'.format(len(unresolvableUrls), ', '.join(unresolvableUrls)) + else: + output = u'{} unresolvable URLs found, here are the first {}: {}'.format(len(unresolvableUrls), maxPrint, ', '.join(unresolvableUrls[0:maxPrint])) + output += u", ..." + + status = "FAILURE" + return False + else: + output = u"{} No unresolvable URLs were found." + status = "SUCCESS" + return True ]]> textFields From 7802ba1bc7d9cc891a415cd2bbe1381e6d5b9a1e Mon Sep 17 00:00:00 2001 From: gothub Date: Tue, 4 Jan 2022 14:27:54 -0800 Subject: [PATCH 06/36] Update output when check succeeds Issue #422 --- src/checks/resource.URLs.resolvable.xml | 21 +++++++++++++++------ 1 file changed, 15 insertions(+), 6 deletions(-) diff --git a/src/checks/resource.URLs.resolvable.xml b/src/checks/resource.URLs.resolvable.xml index f1d5e0e..dc92356 100644 --- a/src/checks/resource.URLs.resolvable.xml +++ b/src/checks/resource.URLs.resolvable.xml @@ -71,20 +71,29 @@ def call(): if (len(unresolvableUrls) > 0): if(len(unresolvableUrls) == 1): - output = u'1 unresolvable URL found: {}'.format(', '.join(unresolvableUrls[0:maxPrint])) + output = u'1 URL found provided in the metadata does not resolve correctly: {}'.format(', '.join(unresolvableUrls[0:maxPrint])) # If unresolved is more than 'maxPrint' URLs, only print first maxPrint entries elif(len(unresolvableUrls) <= maxPrint): - output = u'{} unresolvabled URLs found: {}'.format(len(unresolvableUrls), ', '.join(unresolvableUrls)) + output = u'{} URLS provided in the metadadta do not resolve correctly: {}'.format(len(unresolvableUrls), ', '.join(unresolvableUrls)) else: - output = u'{} unresolvable URLs found, here are the first {}: {}'.format(len(unresolvableUrls), maxPrint, ', '.join(unresolvableUrls[0:maxPrint])) + output = u'{} URLs provided in the metadata do not resolve correctly, here are the first {}: {}'.format(len(unresolvableUrls), maxPrint, ', '.join(unresolvableUrls[0:maxPrint])) output += u", ..." status = "FAILURE" return False else: - output = u"{} No unresolvable URLs were found." - status = "SUCCESS" - return True + if(len(uniqueUrls) == 0): + output = u'No URL were found in the metadata.' + status = "SUCCESS" + return True + elif (len(uniqueUrls) == 1): + output = u'The one URL found in the metadata resolves correctly' + status = "SUCCESS" + return True + else: + output = u'All {} URLs found in the metadata resolve correctly.'.format(len(uniqueUrls)) + status = "SUCCESS" + return True ]]> textFields From ef485c317c016377eed3eb13374e0320f2844c70 Mon Sep 17 00:00:00 2001 From: gothub Date: Tue, 4 Jan 2022 14:28:31 -0800 Subject: [PATCH 07/36] ESS-DIVE suite 1.1.0 suite definition Issue #423 --- src/suites/ess-dive-1.1.0.xml | 128 ++++++++++++++++++++++++++++++++++ 1 file changed, 128 insertions(+) create mode 100644 src/suites/ess-dive-1.1.0.xml diff --git a/src/suites/ess-dive-1.1.0.xml b/src/suites/ess-dive-1.1.0.xml new file mode 100644 index 0000000..42213ee --- /dev/null +++ b/src/suites/ess-dive-1.1.0.xml @@ -0,0 +1,128 @@ + + + ess-dive.data.center.suite-1.1.0 + ESS-DIVE Quality Suite + This is a the ESS-DIVE Quality Suite + + resource.projectTitle.controlled-1.0.0 + Findable + REQUIRED + + + metadata.URLs.resolvable-1.1.0 + Findable + REQUIRED + + + resource.funderName.controlled-1.1.0 + Findable + REQUIRED + + + resource.landingPage.present.1 + Accessible + REQUIRED + + + resource.funderName.controlled-1.0.0 + Findable + REQUIRED + + + metadata.identifier.resolvable.1 + Accessible + REQUIRED + + + entity.format.nonproprietary.1 + Reusable + REQUIRED + + + check.creator.present.1 + Findable + REQUIRED + + + check.creator.info.1 + Findable + REQUIRED + + + check.contact.1 + Findable + REQUIRED + + + contact.has.ORCID.1 + Findable + REQUIRED + + + check.contact.info.1 + Findable + REQUIRED + + + check.abstract.100.words.1 + Findable + REQUIRED + + + dataset.keywords.minimum.1 + Findable + REQUIRED + + + dataset.keywords.overlap.1 + Findable + OPTIONAL + + + dataset.title.length2.1 + Findable + REQUIRED + + + check.identifier.is.present.1 + Findable + REQUIRED + + + check.usage.is.cc.1 + Reusable + OPTIONAL + + + check.temporal.coverage.1 + Findable + OPTIONAL + + + check.geographic.description.1 + Findable + REQUIRED + + + check.bounding.coordinates.1 + Findable + REQUIRED + + + check.pub.date.1 + Findable + REQUIRED + + + check.methods.present.1 + Interoperable + REQUIRED + + + From 3276a7595b3ce331197f7499676d2c46f693e72f Mon Sep 17 00:00:00 2001 From: gothub Date: Thu, 6 Jan 2022 14:46:26 -0800 Subject: [PATCH 08/36] Update output msgs Issue #420 Update the output based on comments from the ESS-DIVE team --- src/checks/resource.projectTitle.controlled.xml | 17 ++++++++++++----- 1 file changed, 12 insertions(+), 5 deletions(-) diff --git a/src/checks/resource.projectTitle.controlled.xml b/src/checks/resource.projectTitle.controlled.xml index 5cca1b4..eff41bc 100644 --- a/src/checks/resource.projectTitle.controlled.xml +++ b/src/checks/resource.projectTitle.controlled.xml @@ -10,6 +10,9 @@ library(jsonlite) library(stringdist) + # Currenlty fuzzy matching is disabled, but may be used in a future version of this check. + useFuzzyMatch <- FALSE + # This check extracts the project tilte from the metadata document and compares it # to a controlled list of DOE projects for an exact match. If an exact match is not # found, the closest fuzzy match is found and displayed in the check output. @@ -19,7 +22,7 @@ message <- "No project title was found." } else if (length(projectTitle) > 1) { status <- "FAILURE" - message <- "More than one project title is present, only one is allowed." + message <- "More than one project name is present, only one is allowed." } else { library(stringr) # Trim whitespace, split abstract on whitespace @@ -64,19 +67,23 @@ message <- list() # An exact match was found if (exactMatchFound) { - message <- "The DOE project title was found in the controlled list of ESS projects." + message <- "The DOE project name was found in the controlled list of ESS projects." status <- "SUCCESS" - } else { + } else if (useFuzzyMatch) { # An exact match was not found, print out the closest match if(smallestPercentDiff < diffTolerance) { # close match found status <- "FAILURE" - message <- sprintf("The DOE project title listed is not from the controlled list of ESS projects: %s. \nThe closest match is: %s", projectTitle, controlledProjectTitles[[closestDistIndex]]) + message <- sprintf("The DOE project name listed is not from the controlled list of ESS projects: %s. \nThe closest match is: %s", projectTitle, controlledProjectTitles[[closestDistIndex]]) } else { # No match was found within the difference tolerance - message <- sprintf("The DOE project title listed is not from the controlled list of ESS projects: %s\n", projectTitle) + message <- sprintf("The DOE project name listed is not from the controlled list of ESS projects: %s\n", projectTitle) status <- "FAILURE" } + } else { + # No match was found within the difference tolerance + message <- sprintf("The DOE project name is not from the controlled list of ESS projects: \"%s\"\n", projectTitle) + status <- "FAILURE" } mdq_result <- list(status = status, From 5236f7be522ac7e1266f14d530e6d9ff040281fd Mon Sep 17 00:00:00 2001 From: gothub Date: Thu, 6 Jan 2022 14:47:24 -0800 Subject: [PATCH 09/36] Update check output Issue #422 Minor updates to check output --- src/checks/resource.URLs.resolvable.xml | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/checks/resource.URLs.resolvable.xml b/src/checks/resource.URLs.resolvable.xml index dc92356..4469376 100644 --- a/src/checks/resource.URLs.resolvable.xml +++ b/src/checks/resource.URLs.resolvable.xml @@ -18,7 +18,7 @@ def call(): global textFields global uniqueUrls global unresolvableUrls - maxPrint = 5 + maxPrint = 3 urls = [] @@ -71,7 +71,7 @@ def call(): if (len(unresolvableUrls) > 0): if(len(unresolvableUrls) == 1): - output = u'1 URL found provided in the metadata does not resolve correctly: {}'.format(', '.join(unresolvableUrls[0:maxPrint])) + output = u'1 URL provided in the metadata does not resolve correctly: {}'.format(', '.join(unresolvableUrls[0:maxPrint])) # If unresolved is more than 'maxPrint' URLs, only print first maxPrint entries elif(len(unresolvableUrls) <= maxPrint): output = u'{} URLS provided in the metadadta do not resolve correctly: {}'.format(len(unresolvableUrls), ', '.join(unresolvableUrls)) From d95d009262c968d163992bfeea95b8fb752aa63b Mon Sep 17 00:00:00 2001 From: gothub Date: Thu, 6 Jan 2022 14:48:57 -0800 Subject: [PATCH 10/36] Update ESS-DIVE 1.1.0 check list Issue #423 Remove 'resource.landingPage.present' check from the ESS-DIVE 1.1.0 suite --- src/suites/ess-dive-1.1.0.xml | 2 ++ 1 file changed, 2 insertions(+) diff --git a/src/suites/ess-dive-1.1.0.xml b/src/suites/ess-dive-1.1.0.xml index 42213ee..bc306bf 100644 --- a/src/suites/ess-dive-1.1.0.xml +++ b/src/suites/ess-dive-1.1.0.xml @@ -18,11 +18,13 @@ Findable REQUIRED + resource.funderName.controlled-1.0.0 Findable From 728700101d3bdc360601aeeb952743b355e5f036 Mon Sep 17 00:00:00 2001 From: gothub Date: Thu, 20 Jan 2022 15:31:25 -0800 Subject: [PATCH 11/36] Remove fuzzy logic processing Issue #420 Remove fuzzy logic processing; rename check file to include a version number --- ....xml => resource.projectTitle.controlled-1.0.0.xml} | 10 ++++++---- 1 file changed, 6 insertions(+), 4 deletions(-) rename src/checks/{resource.projectTitle.controlled.xml => resource.projectTitle.controlled-1.0.0.xml} (87%) diff --git a/src/checks/resource.projectTitle.controlled.xml b/src/checks/resource.projectTitle.controlled-1.0.0.xml similarity index 87% rename from src/checks/resource.projectTitle.controlled.xml rename to src/checks/resource.projectTitle.controlled-1.0.0.xml index eff41bc..ca742c5 100644 --- a/src/checks/resource.projectTitle.controlled.xml +++ b/src/checks/resource.projectTitle.controlled-1.0.0.xml @@ -1,6 +1,6 @@ - resource.projectTitle.controlled.1 + resource.projectTitle.controlled-1.0.0 Resource Project Title Controlled Check if the project title is contained in a list of known projects. Findable @@ -13,6 +13,8 @@ # Currenlty fuzzy matching is disabled, but may be used in a future version of this check. useFuzzyMatch <- FALSE + errorMessge <- "Warning: The DOE project name listed is not from the controlled list of projects. When entering project name, use the autocomplete feature to choose from the existing projects. If you can not find your project name, try entering the PI name." + # This check extracts the project tilte from the metadata document and compares it # to a controlled list of DOE projects for an exact match. If an exact match is not # found, the closest fuzzy match is found and displayed in the check output. @@ -74,15 +76,15 @@ if(smallestPercentDiff < diffTolerance) { # close match found status <- "FAILURE" - message <- sprintf("The DOE project name listed is not from the controlled list of ESS projects: %s. \nThe closest match is: %s", projectTitle, controlledProjectTitles[[closestDistIndex]]) + message <- sprintf("%s The closest match is: %s\n", errorMessge, controlledProjectTitles[[closestDistIndex]]) } else { # No match was found within the difference tolerance - message <- sprintf("The DOE project name listed is not from the controlled list of ESS projects: %s\n", projectTitle) + message <- sprintf("%s\n", errorMessge) status <- "FAILURE" } } else { # No match was found within the difference tolerance - message <- sprintf("The DOE project name is not from the controlled list of ESS projects: \"%s\"\n", projectTitle) + message <- sprintf("%s\n", errorMessage) status <- "FAILURE" } From 9f5ce480464f6a16c14604d8199bb456e7d28508 Mon Sep 17 00:00:00 2001 From: gothub Date: Thu, 20 Jan 2022 15:53:11 -0800 Subject: [PATCH 12/36] Add metadata.identifier.resolvable to ESS-DIVE suite Issue #427 --- src/suites/ess-dive-1.1.0.xml | 7 +------ 1 file changed, 1 insertion(+), 6 deletions(-) diff --git a/src/suites/ess-dive-1.1.0.xml b/src/suites/ess-dive-1.1.0.xml index bc306bf..a660d73 100644 --- a/src/suites/ess-dive-1.1.0.xml +++ b/src/suites/ess-dive-1.1.0.xml @@ -24,12 +24,7 @@ Accessible REQUIRED ---> - - resource.funderName.controlled-1.0.0 - Findable - REQUIRED - + --> metadata.identifier.resolvable.1 Accessible From 40864afb57ecc0655c4acb71bc25f495b9d5daa8 Mon Sep 17 00:00:00 2001 From: gothub Date: Fri, 21 Jan 2022 11:25:55 -0800 Subject: [PATCH 13/36] Updates to ESS-DIVE 1.1.0 suite Issue #423 Update the ESS-DIVE 1.1.0 suite file, so that check '' settings match the 1.0 suite. --- src/suites/ess-dive-1.1.0.xml | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/src/suites/ess-dive-1.1.0.xml b/src/suites/ess-dive-1.1.0.xml index a660d73..7b907ee 100644 --- a/src/suites/ess-dive-1.1.0.xml +++ b/src/suites/ess-dive-1.1.0.xml @@ -43,7 +43,7 @@ check.creator.info.1 Findable - REQUIRED + INFO check.contact.1 @@ -58,7 +58,7 @@ check.contact.info.1 Findable - REQUIRED + INFO check.abstract.100.words.1 @@ -93,17 +93,17 @@ check.temporal.coverage.1 Findable - OPTIONAL + REQUIRED check.geographic.description.1 Findable - REQUIRED + OPTIONAL check.bounding.coordinates.1 Findable - REQUIRED + OPTIONAL check.pub.date.1 From e7570458b8b8b3855ecbd76f31597514b83ca619 Mon Sep 17 00:00:00 2001 From: gothub Date: Fri, 21 Jan 2022 12:05:30 -0800 Subject: [PATCH 14/36] Add check.entity.present to ESS-DIVE suite Issue #423 --- src/suites/ess-dive-1.1.0.xml | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/src/suites/ess-dive-1.1.0.xml b/src/suites/ess-dive-1.1.0.xml index 7b907ee..3d11144 100644 --- a/src/suites/ess-dive-1.1.0.xml +++ b/src/suites/ess-dive-1.1.0.xml @@ -115,6 +115,12 @@ Interoperable REQUIRED + + check.entity.present.1 + Interoperable + INFO + + - metadata.identifier.resolvable.1 + metadata.identifier.resolvable-1.1.0 Accessible OPTIONAL From bdbe3409236148f470777ccec3c3f18a3ce50ef2 Mon Sep 17 00:00:00 2001 From: gothub Date: Tue, 15 Feb 2022 10:50:37 -0800 Subject: [PATCH 35/36] Add data file for project name check Issue #420 --- data/ess-dive-projects.json | 3532 +++++++++++++++++++++++++++++++++++ 1 file changed, 3532 insertions(+) create mode 100644 data/ess-dive-projects.json diff --git a/data/ess-dive-projects.json b/data/ess-dive-projects.json new file mode 100644 index 0000000..b9a9b76 --- /dev/null +++ b/data/ess-dive-projects.json @@ -0,0 +1,3532 @@ +{ + "Soil Carbon Biogeochemistry": { + "projectTitle": "Soil Carbon Biogeochemistry", + "piLastName": "Bailey", + "piFirstName": "Vanessa", + "piInstitution": "Pacific Northwest National Laboratory", + "piEmail": "Vanessa.Bailey@pnnl.gov", + "sponsorProgram": "TES", + "type": "Lab Awards", + "shortName": null + }, + "Connecting AmeriFlux to the Globe, Extending the Partnership with the Global Flux Network, FLUXNET": { + "projectTitle": "Connecting AmeriFlux to the Globe, Extending the Partnership with the Global Flux Network, FLUXNET", + "piLastName": "Baldocchi", + "piFirstName": "Dennis", + "piInstitution": "Universiy of California, Berkeley", + "piEmail": "baldocchi@berkeley.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Collaborative Research on Ecophysiological Controls on Amazonian Precipitation Seasonality and Variability": { + "projectTitle": "Collaborative Research on Ecophysiological Controls on Amazonian Precipitation Seasonality and Variability", + "piLastName": "Berry\nGentine\nLee\nLintner", + "piFirstName": "Joseph\nPierre\nJung-Eun\nBenjamin", + "piInstitution": "Carnegie Institution of Washington\nColumbia University\nBrown University\nRutgers University", + "piEmail": "joeberry@stanford.edu\npg2328@columbia.edu\njungelee.kim@gmail.com\nlintner@envsci.rutgers.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Multi-scale Carbon Cycle Observations and Ecosystem Process Modeling at Niwot Rid": { + "projectTitle": "Multi-scale Carbon Cycle Observations and Ecosystem Process Modeling at Niwot Rid", + "piLastName": "Bowling\nBowling", + "piFirstName": "David\nDavid", + "piInstitution": "University of Utah\nUniversity of Utah, Salt Lake City, UT", + "piEmail": "david.bowling@utah.edu\ndavid.bowling@utah.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Scaling from Flux Towers to Ecosystem Models: Regional Constraints on Carbon Cycle Processes from Atmospheric Carbonyl Sulfide": { + "projectTitle": "Scaling from Flux Towers to Ecosystem Models: Regional Constraints on Carbon Cycle Processes from Atmospheric Carbonyl Sulfide", + "piLastName": "Campbell\nCampbell", + "piFirstName": "Elliott\nJohn", + "piInstitution": "University of California, Merced\nThe Regents of the University of California, Merced, CA", + "piEmail": "ecampbell3@ucmerced.edu\necampbell3@ucmerced.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Effects of Warming on Tropical Forest Carbon Cycling: Investigating Temperature Regulation of Key Tropical Tree and Soil Processes": { + "projectTitle": "Effects of Warming on Tropical Forest Carbon Cycling: Investigating Temperature Regulation of Key Tropical Tree and Soil Processes", + "piLastName": "Cavaleri\nReed", + "piFirstName": "Molly\nSasha", + "piInstitution": "Michigan Technological University\nUS Geological Survey", + "piEmail": "macavale@mtu.edu\nscreed@usgs.gov", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Next-Generation Ecosystem Experiments (NGEE) Tropics": { + "projectTitle": "Next-Generation Ecosystem Experiments (NGEE) Tropics", + "piLastName": "Chambers", + "piFirstName": "Jeffrey", + "piInstitution": "Lawrence Berkeley National Laboratory", + "piEmail": "jchambers@lbl.gov", + "sponsorProgram": "TES", + "type": "Lab Awards", + "shortName": "NGEE Tropics" + }, + "Incorporating Rhizosphere Interactions and Soil Physical Properties into a Soil Carbon Degradation Model through Experimenting Across Ecotypes": { + "projectTitle": "Incorporating Rhizosphere Interactions and Soil Physical Properties into a Soil Carbon Degradation Model through Experimenting Across Ecotypes", + "piLastName": "Classen", + "piFirstName": "Aimee", + "piInstitution": "University of Tennessee", + "piEmail": "Aimee.Classen@uvm.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Consequences of Plant Nutrient Uptake for Soil Carbon Stabilization": { + "projectTitle": "Consequences of Plant Nutrient Uptake for Soil Carbon Stabilization", + "piLastName": "Cusack", + "piFirstName": "Daniela", + "piInstitution": "University of California, Los Angles", + "piEmail": "dcusack@geog.ucla.edu", + "sponsorProgram": "TES", + "type": "Early Career", + "shortName": null + }, + "Resolving Conflicting Physical and Biochemical Feedbacks to Climate in Response to Long-Term Warming": { + "projectTitle": "Resolving Conflicting Physical and Biochemical Feedbacks to Climate in Response to Long-Term Warming", + "piLastName": "DeAngelis", + "piFirstName": "Kristen", + "piInstitution": "University of Massachusetts Amherst", + "piEmail": "deangelis@microbio.umass.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Confronting Models with Regional CO2 Observations": { + "projectTitle": "Confronting Models with Regional CO2 Observations", + "piLastName": "Ehleringer", + "piFirstName": "James", + "piInstitution": "University of Utah", + "piEmail": "jim.ehleringer@utah.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Linking Topographic Variation in Belowground C Processes with Hydrological Processes to Improve Earth System Models": { + "projectTitle": "Linking Topographic Variation in Belowground C Processes with Hydrological Processes to Improve Earth System Models", + "piLastName": "Eissenstat", + "piFirstName": "David", + "piInstitution": "Pennsylvania State University", + "piEmail": "dme9@psu.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Modeling the Effects of Warming and Elevated CO2 on Decomposition in a Northern Minnesota Black Spruce Peatland": { + "projectTitle": "Modeling the Effects of Warming and Elevated CO2 on Decomposition in a Northern Minnesota Black Spruce Peatland", + "piLastName": "Finzi", + "piFirstName": "Adrien", + "piInstitution": "Boston University", + "piEmail": "afinzi@bu.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Nutrient Cycle Impacts on Forest Ecosystem Carbon Cycling: Improved Prediction of Climate Feedbacks from Coupled C-Nutrient Dynamics from Ecosystem to Regional Scales": { + "projectTitle": "Nutrient Cycle Impacts on Forest Ecosystem Carbon Cycling: Improved Prediction of Climate Feedbacks from Coupled C-Nutrient Dynamics from Ecosystem to Regional Scales", + "piLastName": "Fisher", + "piFirstName": "Joshua", + "piInstitution": "University of California- Los Angeles", + "piEmail": "jfisher@jifresse.ucla.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "The Carbon-Nutrient Economy of the Rhizosphere: Improving Biogeochemical Prediction and Scaling Feedbacks From Ecosystem to Regional Scales": { + "projectTitle": "The Carbon-Nutrient Economy of the Rhizosphere: Improving Biogeochemical Prediction and Scaling Feedbacks From Ecosystem to Regional Scales", + "piLastName": "Fisher", + "piFirstName": "Joshua", + "piInstitution": "University of California-Los Angeles", + "piEmail": "jfisher@jifresse.ucla.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Arctic Shrub Expansion, Plant Functional Trait Variation, and Effects on Belowground Carbon Cycling": { + "projectTitle": "Arctic Shrub Expansion, Plant Functional Trait Variation, and Effects on Belowground Carbon Cycling", + "piLastName": "Fraterrigo", + "piFirstName": "Jennifer", + "piInstitution": "University of Illinois", + "piEmail": "jmf@illinois.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Climate Change-Terrestrial Ecosystem Science SFA": { + "projectTitle": "Climate Change-Terrestrial Ecosystem Science SFA", + "piLastName": "Hanson", + "piFirstName": "Paul", + "piInstitution": "Oak Ridge National Laboratory", + "piEmail": "hansonpj@ornl.gov", + "sponsorProgram": "TES", + "type": "Lab Awards", + "shortName": null + }, + "Model-Data Fusion Approaches for Retrospective and Predictive Assessment of the Pan-Arctic Scale Permafrost Carbon Feedback to Global Climate": { + "projectTitle": "Model-Data Fusion Approaches for Retrospective and Predictive Assessment of the Pan-Arctic Scale Permafrost Carbon Feedback to Global Climate", + "piLastName": "Hayes", + "piFirstName": "Daniel", + "piInstitution": "Oak Ridge National Laboratory/University of Maine", + "piEmail": "daniel.j.hayes@maine.edu", + "sponsorProgram": "TES", + "type": "Early Career", + "shortName": null + }, + "BER-TES Sponsored Post-Doctoral Position at EMSL": { + "projectTitle": "BER-TES Sponsored Post-Doctoral Position at EMSL", + "piLastName": "Hess", + "piFirstName": "Nancy", + "piInstitution": "Pacific Northwest National Laboratory", + "piEmail": "nancy.hess@pnnl.gov", + "sponsorProgram": "TES", + "type": "Lab Awards", + "shortName": null + }, + "Carbon Dynamics of the Greater Everglades Watershed and Implications of Climate Change": { + "projectTitle": "Carbon Dynamics of the Greater Everglades Watershed and Implications of Climate Change", + "piLastName": "Hinkle\nSumner", + "piFirstName": "C. Ross\nDavid", + "piInstitution": "University of Central Florida\nU.S. Geological Survey, Orlando, FL", + "piEmail": "rhinkle@ucf.edu\ndmsumner@usgs.gov", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Can Microbial Ecology and Mycorrhizal Functioning Inform Climate Change Models?": { + "projectTitle": "Can Microbial Ecology and Mycorrhizal Functioning Inform Climate Change Models?", + "piLastName": "Hofmockel", + "piFirstName": "Kirsten", + "piInstitution": "Iowa State University", + "piEmail": "kirsten.hofmockel@pnnl.gov", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Understanding the Response of Photosynthetic Metabolism in Tropical Forests to Seasonal Climate Variation": { + "projectTitle": "Understanding the Response of Photosynthetic Metabolism in Tropical Forests to Seasonal Climate Variation", + "piLastName": "Ivanov", + "piFirstName": "Valeriy", + "piInstitution": "University of Michigan", + "piEmail": "ivanov@umich.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Soil Carbon Response to Environmental Change": { + "projectTitle": "Soil Carbon Response to Environmental Change", + "piLastName": "Jastrow", + "piFirstName": "Julie", + "piInstitution": "Argonne National Laboratory", + "piEmail": "jdjastrow@anl.gov", + "sponsorProgram": "TES", + "type": "Lab Awards", + "shortName": null + }, + "Measurements and Modeling Of CO2 Concentration and Isotopes to Improve Process-Level Understanding of Arctic and Boreal Carbon Cycling": { + "projectTitle": "Measurements and Modeling Of CO2 Concentration and Isotopes to Improve Process-Level Understanding of Arctic and Boreal Carbon Cycling", + "piLastName": "Keeling", + "piFirstName": "Ralph", + "piInstitution": "University of California, San Diego", + "piEmail": "rkeeling@ucsd.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Understanding Mechanistic Controls of Heterotrophic CO2 and CH4 Fluxes in a Peatland with Deep Soil Warming and Atmospheric CO2 Enrichment": { + "projectTitle": "Understanding Mechanistic Controls of Heterotrophic CO2 and CH4 Fluxes in a Peatland with Deep Soil Warming and Atmospheric CO2 Enrichment", + "piLastName": "Keller", + "piFirstName": "Jason", + "piInstitution": "Chapman University", + "piEmail": "jkeller@chapman.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Toward A Predictive Understanding of the Response of Belowground Microbial Carbon Turnover to Climate Change Drivers in a Boreal Peatland": { + "projectTitle": "Toward A Predictive Understanding of the Response of Belowground Microbial Carbon Turnover to Climate Change Drivers in a Boreal Peatland", + "piLastName": "Kostka", + "piFirstName": "Joel", + "piInstitution": "Georgia Institute of Technology", + "piEmail": "joel.kostka@biology.gatech.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Subalpine and Alpine Species Range Shifts with Climate Change: Temperature and Soil Moisture Manipulations to Test Species and Population Responses (Alpine Treeline Warming Experiment)": { + "projectTitle": "Subalpine and Alpine Species Range Shifts with Climate Change: Temperature and Soil Moisture Manipulations to Test Species and Population Responses (Alpine Treeline Warming Experiment)", + "piLastName": "Kueppers", + "piFirstName": "Lara", + "piInstitution": "University of California-Merced", + "piEmail": "lkueppers@ucmerced.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": "Alpine Treeline Warming Experiment" + }, + "Carbon Cycle Dynamics Within Oregon's Urban-Suburban-Forested-Agricultural Landscapes": { + "projectTitle": "Carbon Cycle Dynamics Within Oregon's Urban-Suburban-Forested-Agricultural Landscapes", + "piLastName": "Law", + "piFirstName": "Beverly", + "piInstitution": "Oregon State University", + "piEmail": "bev.law@oregonstate.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Determining the Impact of Forest Mortality in Semi-Arid Woodlands on Local and Regional Carbon Dynamics": { + "projectTitle": "Determining the Impact of Forest Mortality in Semi-Arid Woodlands on Local and Regional Carbon Dynamics", + "piLastName": "Litvak", + "piFirstName": "Marcy", + "piInstitution": "University of New Mexico", + "piEmail": "mlitvak@unm.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Data Synthesis and Data Assimilation at Global Change Experiments and Fluxnet Toward Improving Land Process Models": { + "projectTitle": "Data Synthesis and Data Assimilation at Global Change Experiments and Fluxnet Toward Improving Land Process Models", + "piLastName": "Luo", + "piFirstName": "Yiqi", + "piInstitution": "University of Oklahoma", + "piEmail": "yluo@ou.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "A Comprehensive Framework for Modeling Emissions from Tropical Soils and Wetlands": { + "projectTitle": "A Comprehensive Framework for Modeling Emissions from Tropical Soils and Wetlands", + "piLastName": "Mayes", + "piFirstName": "Melanie", + "piInstitution": "Oak Ridge National Laboratory", + "piEmail": "mayesma@ornl.gov", + "sponsorProgram": "TES", + "type": "Early Career", + "shortName": null + }, + "Hydraulic Mechanisms of Survival and Mortality": { + "projectTitle": "Hydraulic Mechanisms of Survival and Mortality", + "piLastName": "McDowell", + "piFirstName": "Nate", + "piInstitution": "Los Alamos National Laboratory", + "piEmail": "nate.mcdowell@pnnl.gov", + "sponsorProgram": "TES", + "type": "Lab Awards", + "shortName": null + }, + "Tropical Forest Response to a Drier Future: Turnover Times of Soil Organic Matter, Roots, Respired CO2, and CH4 Across Moisture Gradients in Time and Space": { + "projectTitle": "Tropical Forest Response to a Drier Future: Turnover Times of Soil Organic Matter, Roots, Respired CO2, and CH4 Across Moisture Gradients in Time and Space", + "piLastName": "McFarlane", + "piFirstName": "Karis", + "piInstitution": "Lawrence Livermore National Laboratory", + "piEmail": "mcfarlane3@llnl.gov", + "sponsorProgram": "TES", + "type": "Early Career", + "shortName": null + }, + "Coastal Wetland Carbon Sequestration in a Warmer Climate": { + "projectTitle": "Coastal Wetland Carbon Sequestration in a Warmer Climate", + "piLastName": "Megonigal", + "piFirstName": "Patrick", + "piInstitution": "Smithsonian Institution", + "piEmail": "megonigalp@si.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Changes in Soil Carbon Dynamics in Response to Long-Term Soil Warming - Integration Across Scales from Cells to Ecosystems": { + "projectTitle": "Changes in Soil Carbon Dynamics in Response to Long-Term Soil Warming - Integration Across Scales from Cells to Ecosystems", + "piLastName": "Melillo", + "piFirstName": "Jerry", + "piInstitution": "Marine Biological Laboratory", + "piEmail": "jmelillo@mbl.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "NASA Contribution to NGEE Tropics": { + "projectTitle": "NASA Contribution to NGEE Tropics", + "piLastName": "Morton", + "piFirstName": "Douglas", + "piInstitution": "NASA- Goddard Space Flight Center", + "piEmail": "douglas.morton@nasa.gov", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Methane Oxidation in the Rhizosphere of Wetland Plants": { + "projectTitle": "Methane Oxidation in the Rhizosphere of Wetland Plants", + "piLastName": "Neumann", + "piFirstName": "Rebecca", + "piInstitution": "University of Washington", + "piEmail": "rbneum@uw.edu", + "sponsorProgram": "TES", + "type": "Early Career", + "shortName": null + }, + "Free-Air CO2 Enrichment (FACE) Experiment Synthesis Activities": { + "projectTitle": "Free-Air CO2 Enrichment (FACE) Experiment Synthesis Activities", + "piLastName": "Norby", + "piFirstName": "Richard", + "piInstitution": "Oak Ridge National Laboratory", + "piEmail": "rnorby@utk.edu", + "sponsorProgram": "TES", + "type": "Lab Awards", + "shortName": "FACE" + }, + "Extrapolating Carbon Dynamics of Seasonally Dry Tropical Forests Across Geographic Scales and Into Future Climates: Improving Simulation Models With Empirical Observations": { + "projectTitle": "Extrapolating Carbon Dynamics of Seasonally Dry Tropical Forests Across Geographic Scales and Into Future Climates: Improving Simulation Models With Empirical Observations", + "piLastName": "Powers", + "piFirstName": "Jennifer", + "piInstitution": "University of Minnesota", + "piEmail": "powers@umn.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Dryland Feedbacks to Future Climate Change: How Species Mortality and Replacement will Affect Coupled Biogeochemical Cycles and Energy Balance": { + "projectTitle": "Dryland Feedbacks to Future Climate Change: How Species Mortality and Replacement will Affect Coupled Biogeochemical Cycles and Energy Balance", + "piLastName": "Reed", + "piFirstName": "Sasha", + "piInstitution": "US Geological Survey", + "piEmail": "screed@usgs.gov", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Climate Change Impacts at the Temperate-Boreal Ecotone: Interactions Between Warming and Precipitation": { + "projectTitle": "Climate Change Impacts at the Temperate-Boreal Ecotone: Interactions Between Warming and Precipitation", + "piLastName": "Reich", + "piFirstName": "Peter", + "piInstitution": "University of Minnesota", + "piEmail": "preich@umn.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Modeling the Temporal Dynamics of Nonstructural Carbohydrate Pools in Forest Trees": { + "projectTitle": "Modeling the Temporal Dynamics of Nonstructural Carbohydrate Pools in Forest Trees", + "piLastName": "Richardson", + "piFirstName": "Andrew", + "piInstitution": "Harvard University", + "piEmail": "arichardson@oeb.harvard.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Phenolic Compounds and Black Carbon Feedback Controls on Peat Decomposition and Carbon Accumulation in Southeastern Peatlands under Regimes of Seasonal Drought, Drainage and Frequent Fire: A New Model for Management of Carbon Sequestration": { + "projectTitle": "Phenolic Compounds and Black Carbon Feedback Controls on Peat Decomposition and Carbon Accumulation in Southeastern Peatlands under Regimes of Seasonal Drought, Drainage and Frequent Fire: A New Model for Management of Carbon Sequestration", + "piLastName": "Richardson", + "piFirstName": "Curtis", + "piInstitution": "Duke University", + "piEmail": "curtr@duke.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Regional Vulnerability of Permafrost Carbon to Climate Change: A Multifactor Experiment and Model Network": { + "projectTitle": "Regional Vulnerability of Permafrost Carbon to Climate Change: A Multifactor Experiment and Model Network", + "piLastName": "Schuur", + "piFirstName": "Ted", + "piInstitution": "Northern Arizona University", + "piEmail": "Ted.Schuur@nau.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Determining the Drivers of Redox Sensitive Biogeochemistry in Humid Tropical Forests": { + "projectTitle": "Determining the Drivers of Redox Sensitive Biogeochemistry in Humid Tropical Forests", + "piLastName": "Silver", + "piFirstName": "Whendee", + "piInstitution": "University of California-Berkeley", + "piEmail": "wsilver@berkeley.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Effects of Fine-Root Senescence Upon Soil Communities and Nutrient Flux Into Soil Pools": { + "projectTitle": "Effects of Fine-Root Senescence Upon Soil Communities and Nutrient Flux Into Soil Pools", + "piLastName": "Strand", + "piFirstName": "Alan", + "piInstitution": "College of Charleston", + "piEmail": "stranda@cofc.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "AmeriFlux Management Project": { + "projectTitle": "AmeriFlux Management Project", + "piLastName": "Torn", + "piFirstName": "Margaret", + "piInstitution": "Lawrence Berkeley National Laboratory", + "piEmail": "mstorn@lbl.gov", + "sponsorProgram": "TES", + "type": "Lab Awards", + "shortName": "Ameriflux" + }, + "Terrestrial Ecosystem Science at Berkeley Lab": { + "projectTitle": "Terrestrial Ecosystem Science at Berkeley Lab", + "piLastName": "Torn", + "piFirstName": "Margaret", + "piInstitution": "Lawrence Berkeley National Laboratory", + "piEmail": "mstorn@lbl.gov", + "sponsorProgram": "TES", + "type": "Lab Awards", + "shortName": "TES-SFA" + }, + "Atmospheric Carbon: Measurements and Analyses of the Carbon Cycle": { + "projectTitle": "Atmospheric Carbon: Measurements and Analyses of the Carbon Cycle", + "piLastName": "Torn", + "piFirstName": "Margaret", + "piInstitution": "Lawrence Berkeley National Laboratory", + "piEmail": "mstorn@lbl.gov", + "sponsorProgram": "TES", + "type": "Lab Awards", + "shortName": null + }, + "Wood Decomposition and Mineral Soil C: Using the d13C Signature in Face Wood to Measure the Contribution of Dead Wood to Mineral Soil C Pools": { + "projectTitle": "Wood Decomposition and Mineral Soil C: Using the d13C Signature in Face Wood to Measure the Contribution of Dead Wood to Mineral Soil C Pools", + "piLastName": "Trettin", + "piFirstName": "Carl", + "piInstitution": "U.S. Forest Service", + "piEmail": "ctrettin@fs.fed.us", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Understanding Litter Input Controls on Soil Organic Matter Turnover and Formation are Essential for Improving Carbon-Climate Feedback Predictions for Arctic, Tundra Ecosystems": { + "projectTitle": "Understanding Litter Input Controls on Soil Organic Matter Turnover and Formation are Essential for Improving Carbon-Climate Feedback Predictions for Arctic, Tundra Ecosystems", + "piLastName": "Wallenstein", + "piFirstName": "Matthew", + "piInstitution": "Colorado State University", + "piEmail": "matthew.wallenstein@colostate.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Benchmarking and Improving Microbial-explicit Soil Biogeochemistry Models": { + "projectTitle": "Benchmarking and Improving Microbial-explicit Soil Biogeochemistry Models", + "piLastName": "Wieder", + "piFirstName": "William", + "piInstitution": "University of Colorado, Boulder", + "piEmail": "wieder@colorado.edu", + "sponsorProgram": "TES", + "type": "University Awards", + "shortName": null + }, + "Next-Generation Ecosystem Experiments (NGEE) Arctic": { + "projectTitle": "Next-Generation Ecosystem Experiments (NGEE) Arctic", + "piLastName": "Wullschleger", + "piFirstName": "Stan", + "piInstitution": "Oak Ridge National Laboratory", + "piEmail": "wullschlegsd@ornl.gov", + "sponsorProgram": "TES", + "type": "Lab Awards", + "shortName": "NGEE Arctic" + }, + "Free Air CO2 Enrichment Model Data Synthesis (FACE-MDS)": { + "projectTitle": "Free Air CO2 Enrichment Model Data Synthesis (FACE-MDS)", + "piLastName": "Walker", + "piFirstName": "Anthony", + "piInstitution": "Oak Ridge National Laboratory", + "piEmail": "walkerap@ornl.gov", + "sponsorProgram": "TES", + "type": "Lab Awards", + "shortName": null + }, + "Groundwater Quality SFA": { + "projectTitle": "Groundwater Quality SFA", + "piLastName": "Bargar", + "piFirstName": "John", + "piInstitution": "Stanford Linear Accelerator Center", + "piEmail": "bargar@slac.stanford.edu", + "sponsorProgram": "SBR", + "type": "Lab Awards", + "shortName": "Groundwater Quality SFA" + }, + "A Vegetative Facies-Based Multiscale Approach to Modeling Nutrient Transport in the Columbia River Basin": { + "projectTitle": "A Vegetative Facies-Based Multiscale Approach to Modeling Nutrient Transport in the Columbia River Basin", + "piLastName": "Battiato\nAbraham", + "piFirstName": "Ilenia\nJohn", + "piInstitution": "San Diego State University Research Foundation, San Diego, CA\nSan Diego State University Research Foundation, San Diego, CA", + "piEmail": "ibattiat@stanford.edu\njabraham@sdsu.edu", + "sponsorProgram": "SBR", + "type": "University Awards", + "shortName": null + }, + "A last line of defense: understanding unique coupled abiotic/biotic processes at upwelling groundwater interfaces": { + "projectTitle": "A last line of defense: understanding unique coupled abiotic/biotic processes at upwelling groundwater interfaces", + "piLastName": "Briggs", + "piFirstName": "Martin", + "piInstitution": "U.S. Geological Survey, Storrs Mansfield, Storrs Mansfield, CT", + "piEmail": "mbriggs@usgs.gov", + "sponsorProgram": "SBR", + "type": "University Awards", + "shortName": null + }, + "Respiration in hyporheic zones: connecting mechanics, microbial biogeochemistry, and models": { + "projectTitle": "Respiration in hyporheic zones: connecting mechanics, microbial biogeochemistry, and models", + "piLastName": "Cardenas", + "piFirstName": "Meinhard", + "piInstitution": "University of Texas", + "piEmail": "Cardenas@jsg.utexas.edu", + "sponsorProgram": "SBR", + "type": "University Awards", + "shortName": null + }, + "Quantifying Subsurface Biogeochemical Variability in a High Altitude Watershed During Winter Isolation": { + "projectTitle": "Quantifying Subsurface Biogeochemical Variability in a High Altitude Watershed During Winter Isolation", + "piLastName": "Colwell", + "piFirstName": "Fredrick", + "piInstitution": "Oregon State Univ.", + "piEmail": "rcolwell@coas.oregonstate.edu", + "sponsorProgram": "SBR", + "type": "University Awards", + "shortName": null + }, + "Use of Stable Mercury Isotopes to Assess Mercury and Methylmercury Transformation and Transport across Critical Interfaces from the Molecular to the Watershed Scale": { + "projectTitle": "Use of Stable Mercury Isotopes to Assess Mercury and Methylmercury Transformation and Transport across Critical Interfaces from the Molecular to the Watershed Scale", + "piLastName": "Demers", + "piFirstName": "Jason", + "piInstitution": "Regents of the University of Michigan, Ann Arbor, MI", + "piEmail": "jdemers@umich.edu", + "sponsorProgram": "SBR", + "type": "University Awards", + "shortName": null + }, + "Metabolic Constraints of Organic Matter Mineralization and Metal Cycling During Flood Plain Evolution": { + "projectTitle": "Metabolic Constraints of Organic Matter Mineralization and Metal Cycling During Flood Plain Evolution", + "piLastName": "Fendorf", + "piFirstName": "Scott", + "piInstitution": "Board of Trustees of the Leland Stanford Junior University, Palo Alto, CA", + "piEmail": "fendorf@stanford.edu", + "sponsorProgram": "SBR", + "type": "University Awards", + "shortName": null + }, + "High-frequency and Vertical Variations of Soil Moisture and their Impact on Ecosystem Dynamics": { + "projectTitle": "High-frequency and Vertical Variations of Soil Moisture and their Impact on Ecosystem Dynamics", + "piLastName": "Fung", + "piFirstName": "Inez", + "piInstitution": "The Regents of University of California, Berkeley, CA", + "piEmail": "ifung@berkeley.edu", + "sponsorProgram": "SBR", + "type": "University Awards", + "shortName": null + }, + "Exploratory Research: Transport and Transformation of Particulate Organic Matter in Permeable Riverbed Sediments": { + "projectTitle": "Exploratory Research: Transport and Transformation of Particulate Organic Matter in Permeable Riverbed Sediments", + "piLastName": "Ginder-Vogel", + "piFirstName": "Matthew", + "piInstitution": "Board of Regents of the University of Wisconsin System, operating as University of Wisconsin-Madison, Madison, WI", + "piEmail": "mgindervogel@wisc.edu", + "sponsorProgram": "SBR", + "type": "University Awards", + "shortName": null + }, + "Quantifying Distributed Exchanges of Groundwater with River Corridors": { + "projectTitle": "Quantifying Distributed Exchanges of Groundwater with River Corridors", + "piLastName": "Gooseff", + "piFirstName": "Michael", + "piInstitution": "The Regents of the University of Colorado, Boulder, CO", + "piEmail": "michael.gooseff@colorado.edu", + "sponsorProgram": "SBR", + "type": "University Awards", + "shortName": null + }, + "Watershed Function SFA": { + "projectTitle": "Watershed Function SFA", + "piLastName": "Hubbard", + "piFirstName": "Susan", + "piInstitution": "Lawrence Berkeley National Laboratory", + "piEmail": "sshubbard@lbl.gov", + "sponsorProgram": "SBR", + "type": "Lab Awards", + "shortName": "Watershed Function SFA" + }, + "Iron and Sulfur Biogeochemistry in Redox Dynamic Environments SFA": { + "projectTitle": "Iron and Sulfur Biogeochemistry in Redox Dynamic Environments SFA", + "piLastName": "Kemner", + "piFirstName": "Kenneth", + "piInstitution": "Argonne National Laboratory", + "piEmail": "Kemner@anl.gov", + "sponsorProgram": "SBR", + "type": "Lab Awards", + "shortName": null + }, + "Subsurface Biogeochemistry of Actinides SFA": { + "projectTitle": "Subsurface Biogeochemistry of Actinides SFA", + "piLastName": "Kersting", + "piFirstName": "Annie", + "piInstitution": "Lawrence Livermore National Laboratory", + "piEmail": "kersting1@llnl.gov", + "sponsorProgram": "SBR", + "type": "Lab Awards", + "shortName": null + }, + "Understanding Ecohydrological Controls of Biogeochemical Reactions and Fluxes: Comparison of Two Contrasting Watersheds": { + "projectTitle": "Understanding Ecohydrological Controls of Biogeochemical Reactions and Fluxes: Comparison of Two Contrasting Watersheds", + "piLastName": "Li", + "piFirstName": "Li", + "piInstitution": "The Pennsylvania State University, University Park, PA", + "piEmail": "lili@eme.psu.edu", + "sponsorProgram": "SBR", + "type": "University Awards", + "shortName": null + }, + "A Multiscale Approach to Modeling Carbon and Nitrogen Cycling within a High Elevation Watershed": { + "projectTitle": "A Multiscale Approach to Modeling Carbon and Nitrogen Cycling within a High Elevation Watershed", + "piLastName": "Maher\nLawrence", + "piFirstName": "Kate\nCorey", + "piInstitution": "Board of Trustees of the Leland Stanford Junior University, Palo Alto, CA\nU.S. Geological Survey, Lakewood, Lakewood, CO", + "piEmail": "kmaher@stanford.edu\nclawrence@usgs.gov", + "sponsorProgram": "SBR", + "type": "University Awards", + "shortName": null + }, + "Development of a molecularly informed biogeochemical framework for reactive transport modeling of subsurface carbon inventories, transformations and fluxes": { + "projectTitle": "Development of a molecularly informed biogeochemical framework for reactive transport modeling of subsurface carbon inventories, transformations and fluxes", + "piLastName": "Maher", + "piFirstName": "Kate", + "piInstitution": "Board of Trustees of the Leland Stanford Junior University, Palo Alto, CA", + "piEmail": "kmaher@stanford.edu", + "sponsorProgram": "SBR", + "type": "University Awards", + "shortName": null + }, + "Diagnosing dominant controls on carbon exchanges in high altitude, western U.S. headwaters": { + "projectTitle": "Diagnosing dominant controls on carbon exchanges in high altitude, western U.S. headwaters", + "piLastName": "Maxwell", + "piFirstName": "Reed", + "piInstitution": "Colorado School of Mines, Golden, CO", + "piEmail": "rmaxwell@mines.edu", + "sponsorProgram": "SBR", + "type": "University Awards", + "shortName": null + }, + "IDEAS Applications: Reactive-Transport and Integrated Hydrology Model Development (IDEAS = Interoperable Design of Extreme Scale Application Software)": { + "projectTitle": "IDEAS Applications: Reactive-Transport and Integrated Hydrology Model Development (IDEAS = Interoperable Design of Extreme Scale Application Software)", + "piLastName": "Moulton", + "piFirstName": "David", + "piInstitution": "Los Alamos National Laboratory", + "piEmail": "moulton@lanl.gov", + "sponsorProgram": "SBR", + "type": "Lab Awards", + "shortName": "IDEAS" + }, + "Experimental and modeling investigation of the impact of atmospherically deposited phosphorus on terrestrial soil nutrient and carbon cycling, and ecosystem productivity": { + "projectTitle": "Experimental and modeling investigation of the impact of atmospherically deposited phosphorus on terrestrial soil nutrient and carbon cycling, and ecosystem productivity", + "piLastName": "O'Day", + "piFirstName": "Peggy", + "piInstitution": "The Regents of the University of California, Merced, CA", + "piEmail": "poday@ucmerced.edu", + "sponsorProgram": "SBR", + "type": "University Awards", + "shortName": null + }, + "Biogeochemical Transformations at Critical Interfaces SFA": { + "projectTitle": "Biogeochemical Transformations at Critical Interfaces SFA", + "piLastName": "Pierce", + "piFirstName": "Eric", + "piInstitution": "Oak Ridge National Laboratory", + "piEmail": "pierceem@ornl.gov", + "sponsorProgram": "SBR", + "type": "Lab Awards", + "shortName": null + }, + "Understanding Soil Microbial Sources of Nitrous Acid and their Effect on Carbon-Nitrogen Cycle Interactions": { + "projectTitle": "Understanding Soil Microbial Sources of Nitrous Acid and their Effect on Carbon-Nitrogen Cycle Interactions", + "piLastName": "Raff", + "piFirstName": "Jonathan", + "piInstitution": "The Trustees of Indiana University, Bloomington, IN", + "piEmail": "jdraff@indiana.edu", + "sponsorProgram": "SBR", + "type": "Early Career", + "shortName": null + }, + "The weathered bedrock vadose zone: A hidden control on water availability in the western United States": { + "projectTitle": "The weathered bedrock vadose zone: A hidden control on water availability in the western United States", + "piLastName": "Rempe", + "piFirstName": "Daniella", + "piInstitution": "The University of Texas at Austin, Austin, TX", + "piEmail": "rempe@jsg.utexas.edu", + "sponsorProgram": "SBR", + "type": "University Awards", + "shortName": null + }, + "Incorporating the Hydrological Controls on Carbon Cycling in Floodplain Ecosystems into Earth System Models (ESMs)": { + "projectTitle": "Incorporating the Hydrological Controls on Carbon Cycling in Floodplain Ecosystems into Earth System Models (ESMs)", + "piLastName": "Rowland", + "piFirstName": "Joel", + "piInstitution": "Los Alamos National Laboratory", + "piEmail": "jrowland@lanl.gov", + "sponsorProgram": "SBR", + "type": "Early Career", + "shortName": null + }, + "Natural Organic Matter and Microbial Controls on Mobilization/Immobilization of I, Pu and other Radionuclides in Soils and Waters Affected by Radionuclide Releases in USA and Japan": { + "projectTitle": "Natural Organic Matter and Microbial Controls on Mobilization/Immobilization of I, Pu and other Radionuclides in Soils and Waters Affected by Radionuclide Releases in USA and Japan", + "piLastName": "Santschi", + "piFirstName": "Peter", + "piInstitution": "Texas A&M University, Galveston, Galveston, TX", + "piEmail": "santschi@tamug.edu", + "sponsorProgram": "SBR", + "type": "University Awards", + "shortName": null + }, + "River Corridor and Watershed Biogeochemistry SFA": { + "projectTitle": "River Corridor and Watershed Biogeochemistry SFA", + "piLastName": "Scheibe", + "piFirstName": "Timothy", + "piInstitution": "Pacific Northwest National Laboratory", + "piEmail": "tim.scheibe@pnnl.gov", + "sponsorProgram": "SBR", + "type": "Lab Awards", + "shortName": null + }, + "Methanotrophic-Mediated Methylmercury Transformation: Characterization of Products, Mechanism, and Environmental Significance": { + "projectTitle": "Methanotrophic-Mediated Methylmercury Transformation: Characterization of Products, Mechanism, and Environmental Significance", + "piLastName": "Semrau", + "piFirstName": "Jeremy", + "piInstitution": "Regents of the University of Michigan, Ann Arbor, MI", + "piEmail": "jsemrau@umich.edu", + "sponsorProgram": "SBR", + "type": "University Awards", + "shortName": null + }, + "MECHANISTIC AND PREDICTIVE UNDERSTANDING OF NEEDLE LITTER DECAY IN SEMI - ARID MONTANE ECOSYSTEM S EXPERIENCING UNPRECEDENTED VEGETATION MORTALITY": { + "projectTitle": "MECHANISTIC AND PREDICTIVE UNDERSTANDING OF NEEDLE LITTER DECAY IN SEMI - ARID MONTANE ECOSYSTEM S EXPERIENCING UNPRECEDENTED VEGETATION MORTALITY", + "piLastName": "Sharp", + "piFirstName": "Jonathan", + "piInstitution": "Colorado School of Mines, Golden, CO", + "piEmail": "jsharp@mines.edu", + "sponsorProgram": "SBR", + "type": "University Awards", + "shortName": null + }, + "Characterization of groundwater flow and associated geochemical fluxes in mineralized and unmineralized bedrock in the upper East River and adjacent watersheds, Colorado": { + "projectTitle": "Characterization of groundwater flow and associated geochemical fluxes in mineralized and unmineralized bedrock in the upper East River and adjacent watersheds, Colorado", + "piLastName": "Wanty", + "piFirstName": "Richard", + "piInstitution": "U.S. Geological Survey, Denver, CO", + "piEmail": "rwanty@usgs.gov", + "sponsorProgram": "SBR", + "type": "University Awards", + "shortName": null + }, + "Seasonal controls on dynamic hyporheic zone redox biogeochemistry": { + "projectTitle": "Seasonal controls on dynamic hyporheic zone redox biogeochemistry", + "piLastName": "Wilkins\nSawyer", + "piFirstName": "Michael\nAudrey", + "piInstitution": "The Ohio State University, Columbus, OH\nThe Ohio State University, Columbus, OH", + "piEmail": "wilkins.231@osu.edu\nsawyer.143@osu.edu", + "sponsorProgram": "SBR", + "type": "University Awards", + "shortName": null + }, + "Accounting for hydrological and microbial processes on greenhouse gas budgets from river systems": { + "projectTitle": "Accounting for hydrological and microbial processes on greenhouse gas budgets from river systems", + "piLastName": "Wrighton\nBohrer", + "piFirstName": "Kelly\nGil", + "piInstitution": "The Ohio State University, Columbus, OH\nThe Ohio State University, Columbus, OH", + "piEmail": "wrighton.1@osu.edu\nbohrer.17@osu.edu", + "sponsorProgram": "SBR", + "type": "University Awards", + "shortName": null + }, + "Systematic Investigation on the Biogeochemical Stability of Iron Oxide-Bound Organic Carbon: Linking Redox Cycles and Carbon Persistence": { + "projectTitle": "Systematic Investigation on the Biogeochemical Stability of Iron Oxide-Bound Organic Carbon: Linking Redox Cycles and Carbon Persistence", + "piLastName": "Yang", + "piFirstName": "Yu", + "piInstitution": "Board of Regents, obo, Nevada System of Higher Education (NSHE) - University of Nevada, Reno, Reno, NV", + "piEmail": "yuy@unr.edu", + "sponsorProgram": "SBR", + "type": "University Awards", + "shortName": null + }, + "Computational Bayesian Framework for Quantification and Reduction of Predictive Uncertainty in Groundwater Reactive Transport Modeling": { + "projectTitle": "Computational Bayesian Framework for Quantification and Reduction of Predictive Uncertainty in Groundwater Reactive Transport Modeling", + "piLastName": "Ye", + "piFirstName": "Ming", + "piInstitution": "Florida State University, Tallahassee, FL", + "piEmail": "mye@fsu.edu", + "sponsorProgram": "SBR", + "type": "Early Career", + "shortName": null + }, + "Reducing Uncertainty in Biogeochemical Interactions Through Synthesis and Computation (RUBISCO)": { + "projectTitle": "Reducing Uncertainty in Biogeochemical Interactions Through Synthesis and Computation (RUBISCO)", + "piLastName": "Hoffman", + "piFirstName": "Forrest", + "piInstitution": "Oak Ridge National Laboratory", + "piEmail": "forrest@climatemodeling.org", + "sponsorProgram": null, + "type": null, + "shortName": "RUBISCO" + }, + "Seasonal hydrologic controls on dynamic hyporheic zone redox biogeochemistry": { + "projectTitle": "Seasonal hydrologic controls on dynamic hyporheic zone redox biogeochemistry", + "piLastName": "Sawyer", + "piFirstName": "Audrey", + "piInstitution": "Ohio State University", + "piEmail": "sawyer.143@osu.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Sticky Roots -- Implications of Widespread, Cryptic, Viral Infection of Plants in Natural and Managed Ecosystems for Soil Carbon Processing in the Rhizosphere": { + "projectTitle": "Sticky Roots -- Implications of Widespread, Cryptic, Viral Infection of Plants in Natural and Managed Ecosystems for Soil Carbon Processing in the Rhizosphere", + "piLastName": "Cardon", + "piFirstName": "Zoe", + "piInstitution": "Marine Biological Lab", + "piEmail": "zcardon@mbl.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Coastal Wetland Carbon Cycling Processes in a Warmer Climate": { + "projectTitle": "Coastal Wetland Carbon Cycling Processes in a Warmer Climate", + "piLastName": "Megonigal", + "piFirstName": "Pat", + "piInstitution": "Smithsonian Institution", + "piEmail": "megonigalp@si.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Using Root and Soil Traits to Forecast Woody Encroachment Dynamics in Mesic Grassland": { + "projectTitle": "Using Root and Soil Traits to Forecast Woody Encroachment Dynamics in Mesic Grassland", + "piLastName": "Nippert", + "piFirstName": "Jesse", + "piInstitution": "Kansas State University", + "piEmail": "nippert@ksu.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Peatland Hydrology Across Scale: A Probabilistic Framework for Confronting Variability, Heterogeneity, and Uncertainty": { + "projectTitle": "Peatland Hydrology Across Scale: A Probabilistic Framework for Confronting Variability, Heterogeneity, and Uncertainty", + "piLastName": "Feng", + "piFirstName": "Xue", + "piInstitution": "University of Minnesota", + "piEmail": "feng@umn.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Effects of Rapid Permafrost Thaw on CO2 and CH4 Fluxes in a Warmer and Wetter Future": { + "projectTitle": "Effects of Rapid Permafrost Thaw on CO2 and CH4 Fluxes in a Warmer and Wetter Future", + "piLastName": "Neumann", + "piFirstName": "Rebecca", + "piInstitution": "University of Washington", + "piEmail": "rbneum@uw.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Catastrophic Forest Disturbance and Regrowth in Puerto Rico Following Hurricane Maria: Benchmarks for Earth System Models from Forest Inventory and Remote Sensing Measurements": { + "projectTitle": "Catastrophic Forest Disturbance and Regrowth in Puerto Rico Following Hurricane Maria: Benchmarks for Earth System Models from Forest Inventory and Remote Sensing Measurements", + "piLastName": "Keller\nMorton", + "piFirstName": "Michael\nDoug", + "piInstitution": "USDA Forest Service\nNASA Goddard", + "piEmail": "mkeller.co2@gmail.com\ndouglas.morton@nasa.gov", + "sponsorProgram": "TES", + "type": "Interagency Agreement", + "shortName": null + }, + "Effects of Hurricane Disturbance and Increased Temperature on Carbon Cycling and Storage of a Puerto Rican Forest: A Mechanistic Investigation of Above- and Belowground Processe": { + "projectTitle": "Effects of Hurricane Disturbance and Increased Temperature on Carbon Cycling and Storage of a Puerto Rican Forest: A Mechanistic Investigation of Above- and Belowground Processe", + "piLastName": "Wood\nReed\nCavaleri", + "piFirstName": "Tana\nSasha\nMolly", + "piInstitution": "USDA Forest Service, San Juan, PR\nUS Geological Survey, Moab, UT\nMichigan Technological University, Houghton, MI", + "piEmail": "tanawood@fs.fed.us\nscreed@usgs.gov\nmacavale@mtu.edu", + "sponsorProgram": "TES", + "type": "Interagency Agreement", + "shortName": null + }, + "Rapid remote sensing assessment of landscape-scale impacts from the California Camp Fire": { + "projectTitle": "Rapid remote sensing assessment of landscape-scale impacts from the California Camp Fire", + "piLastName": "Chambers", + "piFirstName": "Jeffrey", + "piInstitution": "University of California, Berkeley", + "piEmail": "jqchambers@berkeley.edu", + "sponsorProgram": null, + "type": null, + "shortName": null + }, + "Effect of Asymmetric Versus Symmetric Warming of Grassland Mesocosms": { + "projectTitle": "Effect of Asymmetric Versus Symmetric Warming of Grassland Mesocosms", + "piLastName": "Olszyk", + "piFirstName": "David", + "piInstitution": "Environmental Protection Agency, Environmental Res, Corvallis, OR", + "piEmail": "olszyk.david@epa.gov", + "sponsorProgram": "TES", + "type": "Interagency Agreement", + "shortName": null + }, + "Using Model Analyses & Surface-Atmosphere Exchange Measurements from the Howland AmeriFlux Supersite in Maine, USA, to Improve Understanding of Forest Ecosystem": { + "projectTitle": "Using Model Analyses & Surface-Atmosphere Exchange Measurements from the Howland AmeriFlux Supersite in Maine, USA, to Improve Understanding of Forest Ecosystem", + "piLastName": "Hollinger", + "piFirstName": "David", + "piInstitution": "USDA Forest Service, Northern Research Station, Newtown Square, PA", + "piEmail": "david.hollinger@usda.gov", + "sponsorProgram": "TES", + "type": "Interagency Agreement", + "shortName": null + }, + "Integrating Remote Sensing, Field Observations, & Models to Understand Disturbance & Climate Effects on the Carbon Balance of the West Coast U.S.": { + "projectTitle": "Integrating Remote Sensing, Field Observations, & Models to Understand Disturbance & Climate Effects on the Carbon Balance of the West Coast U.S.", + "piLastName": "Cohen\nLaw", + "piFirstName": "Warren\nBeverly", + "piInstitution": "USDA Forest Service, Portland, OR\nOregon State University, Corvallis, OR", + "piEmail": "warren.cohen@oregonstate.edu\nbeverly.law@oregonstate.edu", + "sponsorProgram": "TES", + "type": "Interagency Agreement", + "shortName": null + }, + "Final Harvest of Above-Ground Biomass and Allometric Analysis of the Aspen FACE Experiment": { + "projectTitle": "Final Harvest of Above-Ground Biomass and Allometric Analysis of the Aspen FACE Experiment", + "piLastName": "Kubiske", + "piFirstName": "Mark", + "piInstitution": "USDA Forest Service, Rhinelander, WI", + "piEmail": "", + "sponsorProgram": "TES", + "type": "Interagency Agreement", + "shortName": null + }, + "Economically Viable Harvesting Practices That Increase Carbon Sequestration": { + "projectTitle": "Economically Viable Harvesting Practices That Increase Carbon Sequestration", + "piLastName": "Dail", + "piFirstName": "David Bryan", + "piInstitution": "University of Maine, Orono, ME", + "piEmail": "", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Economically Viable Forest Harvesting Practices that Increase Carbon Sequestration": { + "projectTitle": "Economically Viable Forest Harvesting Practices that Increase Carbon Sequestration", + "piLastName": "Davidson", + "piFirstName": "Eric", + "piInstitution": "Woods Hole Research Center, Inc., Falmouth, MA", + "piEmail": "edavidson@umces.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "From Tower to Region: Integration of Patch-Size NEE Using Experimental and Modeling Footprint Analysis": { + "projectTitle": "From Tower to Region: Integration of Patch-Size NEE Using Experimental and Modeling Footprint Analysis", + "piLastName": "LECLERC", + "piFirstName": "MONIQUE", + "piInstitution": "The University of Georgia Research Foundation, Inc., Athens, GA", + "piEmail": "mleclerc@uga.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Interaction of Actinide Species with Microorganisms & Microbial Chelators: Cellular Uptake, Toxicity, & Implications for Bioremediation of Soil & Ground Water": { + "projectTitle": "Interaction of Actinide Species with Microorganisms & Microbial Chelators: Cellular Uptake, Toxicity, & Implications for Bioremediation of Soil & Ground Water", + "piLastName": "Crumbliss", + "piFirstName": "Alvin", + "piInstitution": "Duke University, Durham, NC", + "piEmail": "alvin.crumbliss@duke.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Influence of Reactive Transport on the Reduction of U(VI) in the Presence of Fe(III) and Nitrate: Implications for U(VI) Immobilization by Bioremediation/Bioba": { + "projectTitle": "Influence of Reactive Transport on the Reduction of U(VI) in the Presence of Fe(III) and Nitrate: Implications for U(VI) Immobilization by Bioremediation/Bioba", + "piLastName": "Wood", + "piFirstName": "Brian", + "piInstitution": "Oregon State University, Corvallis, OR", + "piEmail": "brian.wood@oregonstate.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Uranium Immobilization Through Fe(II) Bio-oxidation: A Column Study": { + "projectTitle": "Uranium Immobilization Through Fe(II) Bio-oxidation: A Column Study", + "piLastName": "Coates", + "piFirstName": "John", + "piInstitution": "The Regents of University of California, Berkeley, CA", + "piEmail": "jdcoates@berkeley.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Anaerobic U(IV) Bio-oxidation and the Resultant Remobilization of Uranium in Contaminated Sediments": { + "projectTitle": "Anaerobic U(IV) Bio-oxidation and the Resultant Remobilization of Uranium in Contaminated Sediments", + "piLastName": "Coates", + "piFirstName": "John", + "piInstitution": "The Regents of University of California, Berkeley, CA", + "piEmail": "jdcoates@berkeley.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Carbon Sequestration in Dryland and Irrigated Agroecosystems: Quantification at Different Scales for Improved Prediction": { + "projectTitle": "Carbon Sequestration in Dryland and Irrigated Agroecosystems: Quantification at Different Scales for Improved Prediction", + "piLastName": "Verma", + "piFirstName": "Shashi", + "piInstitution": "The Board of Regents, University of Nebraska for the University of Nebraska-Lincoln, Lincoln, NE", + "piEmail": "", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Biotic Processes Regulating the Carbon Balance of Desert Ecosystems": { + "projectTitle": "Biotic Processes Regulating the Carbon Balance of Desert Ecosystems", + "piLastName": "Nowak", + "piFirstName": "Robert", + "piInstitution": "Board of Regents, obo, Nevada System of Higher Education (NSHE) (Chancellor's Office), Las Vegas, NV", + "piEmail": "nowak@cabnr.unr.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Towards a More Complete Picture: Dissimilatory Metal Reduction by Anaeromyxobacter Species": { + "projectTitle": "Towards a More Complete Picture: Dissimilatory Metal Reduction by Anaeromyxobacter Species", + "piLastName": "Loeffler", + "piFirstName": "Frank", + "piInstitution": "Georgia Tech Research Corporation, Atlanta, GA", + "piEmail": "loefflerfe@ornl.gov", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Biotransformation Involved in Sustained Reductive Removal of Uranium in Contaminant Aquifers": { + "projectTitle": "Biotransformation Involved in Sustained Reductive Removal of Uranium in Contaminant Aquifers", + "piLastName": "Lovley", + "piFirstName": "Derek", + "piInstitution": "University of Massachusetts Amherst, Amherst, MA", + "piEmail": "dlovley@microbio.umass.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Integrated Investigation on the Production and Fate of Organo-Cr(III) Complexes from Microbial Reduction of Chromate": { + "projectTitle": "Integrated Investigation on the Production and Fate of Organo-Cr(III) Complexes from Microbial Reduction of Chromate", + "piLastName": "Xun", + "piFirstName": "Luying", + "piInstitution": "Washington State University, Pullman, WA", + "piEmail": "lxun@wsu.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "High-Resolution Mineralogical Characterization and Biogeochemical Modeling of Uranium Reduction Pathways at the NABIR Field-Research Center": { + "projectTitle": "High-Resolution Mineralogical Characterization and Biogeochemical Modeling of Uranium Reduction Pathways at the NABIR Field-Research Center", + "piLastName": "Zhu\nVeblen", + "piFirstName": "Chen\nDavid", + "piInstitution": "The Trustees of Indiana University, Bloomington, IN\nThe Johns Hopkins University, Baltimore, MD", + "piEmail": "chenzhu@indiana.edu\ndveblen@jhu.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Novel Imaging Techniques, Integrated with Mineralogical, Geochemical & Microbiological Characterization to Determine the Biogeochemical Controls on Techne......": { + "projectTitle": "Novel Imaging Techniques, Integrated with Mineralogical, Geochemical & Microbiological Characterization to Determine the Biogeochemical Controls on Techne......", + "piLastName": "Lloyd", + "piFirstName": "Jonathan", + "piInstitution": "Victoria University of Manchester, Manchester, United Kingdom", + "piEmail": "Jon.Lloyd@manchester.ac.uk", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Biogeochemistry of aerobic solubilization of Pu and U by microorganisms and their siderophores, reductants, and exopolymers": { + "projectTitle": "Biogeochemistry of aerobic solubilization of Pu and U by microorganisms and their siderophores, reductants, and exopolymers", + "piLastName": "Traina", + "piFirstName": "Samuel", + "piInstitution": "The Regents of the University of California, Merced, CA", + "piEmail": "straina@ucmerced.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Ecosystem Controls on C and N Sequestration Following Afforestation of Agricultural Lands": { + "projectTitle": "Ecosystem Controls on C and N Sequestration Following Afforestation of Agricultural Lands", + "piLastName": "Paul", + "piFirstName": "Eldor", + "piInstitution": "Colorado State University, Fort Collins, CO", + "piEmail": "Eldor.Paul@colostate.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Promoting Uranium Immobilization by the Activities of Microbial Phophatases": { + "projectTitle": "Promoting Uranium Immobilization by the Activities of Microbial Phophatases", + "piLastName": "Sobecky", + "piFirstName": "Patricia", + "piInstitution": "Georgia Tech Research Corporation, Atlanta, GA", + "piEmail": "", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Physico-Chemical and Bio-Chemical Controls on Soil C Saturation Behavior": { + "projectTitle": "Physico-Chemical and Bio-Chemical Controls on Soil C Saturation Behavior", + "piLastName": "Six", + "piFirstName": "Johan", + "piInstitution": "Regents of the University of California, Davis, Davis, CA", + "piEmail": "jwsix@ucdavis.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "High Resolution Sensor for Nuclear Waste Characterization": { + "projectTitle": "High Resolution Sensor for Nuclear Waste Characterization", + "piLastName": "Squillante", + "piFirstName": "Michael", + "piInstitution": "Radiation Monitoring Devices, Inc., Watertown, MA", + "piEmail": "", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Reduction and Reoxidation of Soils During & After Uranium Bioremediation; Implications for Long-Term Uraninite Stability & Bioremediation Scheme Implementation": { + "projectTitle": "Reduction and Reoxidation of Soils During & After Uranium Bioremediation; Implications for Long-Term Uraninite Stability & Bioremediation Scheme Implementation", + "piLastName": "Jaffe", + "piFirstName": "Peter", + "piInstitution": "The Trustees of Princeton University, Princeton, NJ", + "piEmail": "jaffe@Princeton.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Anaerobic Biotransformation and Mobility of Pu and PuEDTA": { + "projectTitle": "Anaerobic Biotransformation and Mobility of Pu and PuEDTA", + "piLastName": "Xun", + "piFirstName": "Luying", + "piInstitution": "Washington State University, Pullman, WA", + "piEmail": "lxun@wsu.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Biogeochemistry of Uranium Immobilized Under Sulfate-Reducing Conditions": { + "projectTitle": "Biogeochemistry of Uranium Immobilized Under Sulfate-Reducing Conditions", + "piLastName": "Peyton", + "piFirstName": "Brent", + "piInstitution": "Washington State University, Pullman, WA", + "piEmail": "bpeyton@wsu.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Subsurface Immobilization of Plutonium: Experimental and Model Validation Studies": { + "projectTitle": "Subsurface Immobilization of Plutonium: Experimental and Model Validation Studies", + "piLastName": "Rittmann", + "piFirstName": "Bruce", + "piInstitution": "Arizona Board of Regents for Arizona State University, Tempe, AZ", + "piEmail": "bruce.rittmann@azregents.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Effect of Asymmetric Versus Symmetric Warming on Grassland Mesocosms": { + "projectTitle": "Effect of Asymmetric Versus Symmetric Warming on Grassland Mesocosms", + "piLastName": "Gregg", + "piFirstName": "Jillian", + "piInstitution": "Terrestrial Ecosystems Research Associates, Corvallis, OR", + "piEmail": "", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "A Laser-based Instrument Platform for Measuring Methane and Other Trace Gases": { + "projectTitle": "A Laser-based Instrument Platform for Measuring Methane and Other Trace Gases", + "piLastName": "Xu", + "piFirstName": "Liukang", + "piInstitution": "LI-COR Biosciences, Inc., Lincoln, NE", + "piEmail": "", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Enhancing the Precision and Accuracy Within and Among AmerifFux Site Measurements": { + "projectTitle": "Enhancing the Precision and Accuracy Within and Among AmerifFux Site Measurements", + "piLastName": "Law", + "piFirstName": "Beverly", + "piInstitution": "Oregon State University, Corvallis, OR", + "piEmail": "beverly.law@oregonstate.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Quantifying & Understanding Interannual Variability of Carbon, Water, and Energy Exchange of an Oak Savanna & an Annual Grassland Ecosystem AmeriFlux Site": { + "projectTitle": "Quantifying & Understanding Interannual Variability of Carbon, Water, and Energy Exchange of an Oak Savanna & an Annual Grassland Ecosystem AmeriFlux Site", + "piLastName": "Baldocchi", + "piFirstName": "Dennis", + "piInstitution": "The Regents of University of California, Berkeley, CA", + "piEmail": "", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Understanding the Influences of Seasonality and Interannual Variability on Biosphere-Atmosphere d13CO2 Exchange in a Network of 8 AmeriFlux Sites": { + "projectTitle": "Understanding the Influences of Seasonality and Interannual Variability on Biosphere-Atmosphere d13CO2 Exchange in a Network of 8 AmeriFlux Sites", + "piLastName": "Ehleringer", + "piFirstName": "James", + "piInstitution": "University of Utah, Salt Lake City, UT", + "piEmail": "james.ehleringer@utah.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Synthesis of Carbon Dioxide Flux and Mixing Ratio Measurements in Support of the North American Carbon Program Midcontinental Regional Intensive": { + "projectTitle": "Synthesis of Carbon Dioxide Flux and Mixing Ratio Measurements in Support of the North American Carbon Program Midcontinental Regional Intensive", + "piLastName": "Davis", + "piFirstName": "Kenneth", + "piInstitution": "The Pennsylvania State University, University Park, PA", + "piEmail": "kennethdavis@wixsite.com", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Investigation of Carbon Cycle Processes within a Managed Landscape: An Ecosystem Manipulation and Isotope Tracer Approach": { + "projectTitle": "Investigation of Carbon Cycle Processes within a Managed Landscape: An Ecosystem Manipulation and Isotope Tracer Approach", + "piLastName": "Griffis", + "piFirstName": "Timothy", + "piInstitution": "Regents of the University of Minnesota, Minneapolis, MN", + "piEmail": "timothy.griffis@usg.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Multi-Year Regional Synthesis of Atmospheric Flux and mixing Ratio Measurements in Support of the North American Carbon Program": { + "projectTitle": "Multi-Year Regional Synthesis of Atmospheric Flux and mixing Ratio Measurements in Support of the North American Carbon Program", + "piLastName": "Denning", + "piFirstName": "Scott", + "piInstitution": "Colorado State University, Fort Collins, CO", + "piEmail": "scott.denning@colostate.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "The Effects of Disturbance & Climate on Carbon Storage & the Exchanges of CO2 Water Vapor & Energy Exchange of Evergreen Coniferous Forests in the Pacific...": { + "projectTitle": "The Effects of Disturbance & Climate on Carbon Storage & the Exchanges of CO2 Water Vapor & Energy Exchange of Evergreen Coniferous Forests in the Pacific...", + "piLastName": "Law", + "piFirstName": "Beverly", + "piInstitution": "Oregon State University, Corvallis, OR", + "piEmail": "beverly.law@oregonstate.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Data-Model Assimilation at the FACE and AmeriFlux Sites Toward Predictive Understanding of Carbon Sequestration at Ecosystem and Regional Scales": { + "projectTitle": "Data-Model Assimilation at the FACE and AmeriFlux Sites Toward Predictive Understanding of Carbon Sequestration at Ecosystem and Regional Scales", + "piLastName": "Luo", + "piFirstName": "Yiqi", + "piInstitution": "Board of Regents of the University of Oklahoma, Norman, OK", + "piEmail": "yiqi.luo@usg.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "A New Carbon Flux Super Site: Innovative Methods of Atmosphere-Terrestrial Carbon Exchange Measurements and Modeling": { + "projectTitle": "A New Carbon Flux Super Site: Innovative Methods of Atmosphere-Terrestrial Carbon Exchange Measurements and Modeling", + "piLastName": "LECLERC", + "piFirstName": "MONIQUE", + "piInstitution": "The University of Georgia Research Foundation, Inc., Athens, GA", + "piEmail": "mleclerc@uga.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Detection of Long-Term Trends in Carbon Accumulation by Forests in Northeastern U.S. and Determination of Causal Factors": { + "projectTitle": "Detection of Long-Term Trends in Carbon Accumulation by Forests in Northeastern U.S. and Determination of Causal Factors", + "piLastName": "Munger", + "piFirstName": "William", + "piInstitution": "President and Fellows of Harvard College, Cambridge, MA", + "piEmail": "", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Quantifying Advective and Nonstationary Effects on Eddy Fluxes in the AmeriFlux Network": { + "projectTitle": "Quantifying Advective and Nonstationary Effects on Eddy Fluxes in the AmeriFlux Network", + "piLastName": "Fitzjarrald", + "piFirstName": "David", + "piInstitution": "Research Foundation for the State University of New York d/b/a RFSUNY - University at Albany, Albany, NY", + "piEmail": "david.fitzjarrald@rfsuny.org", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "A Study of the Role of Terrestrial Processes in the Carbon Cycle Based on Measurements of the Abundance and Isotopic Composition of Atmospheric CO2": { + "projectTitle": "A Study of the Role of Terrestrial Processes in the Carbon Cycle Based on Measurements of the Abundance and Isotopic Composition of Atmospheric CO2", + "piLastName": "Keeling", + "piFirstName": "Ralph", + "piInstitution": "The Regents of the University of California-SIO, La Jolla, CA", + "piEmail": "ralph.keeling@usg.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Ecosystem-Atmosphere Exchange of Carbon, Water and Energy Over a Mixed Deciduous Forest in the Midwest": { + "projectTitle": "Ecosystem-Atmosphere Exchange of Carbon, Water and Energy Over a Mixed Deciduous Forest in the Midwest", + "piLastName": "Dragoni", + "piFirstName": "Danilo", + "piInstitution": "The Trustees of Indiana University, Bloomington, IN", + "piEmail": "dagoni@thetrustees.org", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "The Response of a Seasonal Ectotherm (Allenemobius Socius) to Global Warming": { + "projectTitle": "The Response of a Seasonal Ectotherm (Allenemobius Socius) to Global Warming", + "piLastName": "Winterhalter", + "piFirstName": "Wade", + "piInstitution": "University of Central Florida, Orlando, FL", + "piEmail": "winterhalter@ucf.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Role of Sulfhydryl Sites on Bacterial Cell Walls in the Biosorption, Mobility and Bioavailability of Mercury and Uranium": { + "projectTitle": "Role of Sulfhydryl Sites on Bacterial Cell Walls in the Biosorption, Mobility and Bioavailability of Mercury and Uranium", + "piLastName": "Myneni", + "piFirstName": "Satish", + "piInstitution": "The Trustees of Princeton University, Princeton, NJ", + "piEmail": "smyneni@thetrustees.org", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Evaluation of Membrane-Delivered Hydrogen for Stimulating In-Situ Reduction at Nitrate and Uranium": { + "projectTitle": "Evaluation of Membrane-Delivered Hydrogen for Stimulating In-Situ Reduction at Nitrate and Uranium", + "piLastName": "Clapp", + "piFirstName": "Lee", + "piInstitution": "Texas A&M University, Kingsville, Kingsville, TX", + "piEmail": "Lee.clapp@tamuk.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Climate Effects on Plant Range Distributions and Community Structure of Pacific Northwest Prairies": { + "projectTitle": "Climate Effects on Plant Range Distributions and Community Structure of Pacific Northwest Prairies", + "piLastName": "Bridgham", + "piFirstName": "Scott", + "piInstitution": "University of Oregon, Eugene, OR", + "piEmail": "sbridgham@uoregon.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Ecosystem Response to Elevated Tropospheric Carbon Dioxide (CO2) and Ozone (O3) is Regulated by Plant-Microbe Interactions in Soil": { + "projectTitle": "Ecosystem Response to Elevated Tropospheric Carbon Dioxide (CO2) and Ozone (O3) is Regulated by Plant-Microbe Interactions in Soil", + "piLastName": "Zak", + "piFirstName": "Donald", + "piInstitution": "Regents of the University of Michigan, Ann Arbor, MI", + "piEmail": "donald.zak@usg.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Impacts of Interacting Elevated Atmospheric CO2 & O3 on the Structure & Functioning of a Northern Forest Ecosystem: Operating and Decommissioning the Aspen FACE": { + "projectTitle": "Impacts of Interacting Elevated Atmospheric CO2 & O3 on the Structure & Functioning of a Northern Forest Ecosystem: Operating and Decommissioning the Aspen FACE", + "piLastName": "Burton", + "piFirstName": "Andrew", + "piInstitution": "Michigan Technological University, Houghton, MI", + "piEmail": "andrew@mtu.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Rising CO2 and Long-Term Carbon Storage in a Tidal Marsh Ecosystem: Budget Validation and Mechanisms of Carbon Assimilation and Stabilization": { + "projectTitle": "Rising CO2 and Long-Term Carbon Storage in a Tidal Marsh Ecosystem: Budget Validation and Mechanisms of Carbon Assimilation and Stabilization", + "piLastName": "Megonigal", + "piFirstName": "Patrick", + "piInstitution": "Smithsonian Institution, Washington, DC", + "piEmail": "megonigalp@si.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Formation and Reactivity of Biogenic Iron Minerals": { + "projectTitle": "Formation and Reactivity of Biogenic Iron Minerals", + "piLastName": "Ferris", + "piFirstName": "Grant", + "piInstitution": "University of Toronto, Toronto, ON, Canada", + "piEmail": "grant.ferris@utoronto.ca", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Composition, Reactivity and Regulation of Extracellular Metal-Reducing Structures (Bacterial Nanowires) Produced by Dissimilatory Metal - Reducing Bacteria": { + "projectTitle": "Composition, Reactivity and Regulation of Extracellular Metal-Reducing Structures (Bacterial Nanowires) Produced by Dissimilatory Metal - Reducing Bacteria", + "piLastName": "Whitfield", + "piFirstName": "Christopher", + "piInstitution": "University of Guelph, Guelph, Canada", + "piEmail": "whitfield@uoguelph.ca", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "The Role of Biogenic Solids in the Reductive Solubilization of Metal Contaminants": { + "projectTitle": "The Role of Biogenic Solids in the Reductive Solubilization of Metal Contaminants", + "piLastName": "Rosenzweig", + "piFirstName": "Frank", + "piInstitution": "University of Montana, Missoula, MT", + "piEmail": "frank.rosenzweig@umt.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Structural Equation Modeling in Support of Linking Genomics with Ecosystem Responses to Climate Change": { + "projectTitle": "Structural Equation Modeling in Support of Linking Genomics with Ecosystem Responses to Climate Change", + "piLastName": "Grace", + "piFirstName": "James", + "piInstitution": "U.S. Geological Survey, Lafayette, Lafayette, LA", + "piEmail": "gracej@usgs.gov", + "sponsorProgram": "TES", + "type": "Interagency Agreement", + "shortName": null + }, + "Evaluating the Contribution of Climate Forcing and Forest Dynamics to Accelerating Carbon Sequestration by Forest Ecosystems in the Northeastern U.S.": { + "projectTitle": "Evaluating the Contribution of Climate Forcing and Forest Dynamics to Accelerating Carbon Sequestration by Forest Ecosystems in the Northeastern U.S.", + "piLastName": "Fitzjarrald\nMunger", + "piFirstName": "David\nWilliam", + "piInstitution": "Research Foundation for the State University of New York d/b/a RFSUNY - University at Albany, Albany, NY\nPresident and Fellows of Harvard College, Cambridge, MA", + "piEmail": "david.fitzjarrald@rfsuny.org\njwmunger@seas.harvard.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Developing Model Constraints of Northern Extra-Tropical Carbon Cycling Based on Measurements of the Abundance and Isotopic Composition of Atmospheric CO2": { + "projectTitle": "Developing Model Constraints of Northern Extra-Tropical Carbon Cycling Based on Measurements of the Abundance and Isotopic Composition of Atmospheric CO2", + "piLastName": "Keeling", + "piFirstName": "Ralph", + "piInstitution": "The Regents of the University of California-SIO, La Jolla, CA", + "piEmail": "ralph.keeling@usg.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Using a Regional Cluster of AmeriFlux Sites in Central California to Advance Our Knowledge on Decadal-Scale Ecosystem-Atmosphere Carbon Dioxide Exchange": { + "projectTitle": "Using a Regional Cluster of AmeriFlux Sites in Central California to Advance Our Knowledge on Decadal-Scale Ecosystem-Atmosphere Carbon Dioxide Exchange", + "piLastName": "Baldocchi", + "piFirstName": "Dennis", + "piInstitution": "The Regents of University of California, Berkeley, CA", + "piEmail": "dennis.baldocchi@usg.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Seasonal and Inter-Annual Controls on CO2 Flux in Arctic Alaska": { + "projectTitle": "Seasonal and Inter-Annual Controls on CO2 Flux in Arctic Alaska", + "piLastName": "Oechel", + "piFirstName": "Walter", + "piInstitution": "San Diego State University Research Foundation, San Diego, CA", + "piEmail": "walter.oechel@sdsu.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Carbon Cycling Dynamics in Response to Pine Beetle Infection and Climate Variation": { + "projectTitle": "Carbon Cycling Dynamics in Response to Pine Beetle Infection and Climate Variation", + "piLastName": "Monson", + "piFirstName": "Russell", + "piInstitution": "The Regents of the University of Colorado d/b/a Universiy of Colorado - Denver, Boulder, CO", + "piEmail": "russell.monson@usg.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Improving Representation of Drought Stress and Fire Emissions in Climate Carbon Models: Measurements and Modeling with a Focus on the Western USA": { + "projectTitle": "Improving Representation of Drought Stress and Fire Emissions in Climate Carbon Models: Measurements and Modeling with a Focus on the Western USA", + "piLastName": "Ehleringer", + "piFirstName": "James", + "piInstitution": "University of Utah, Salt Lake City, UT", + "piEmail": "james.ehleringer@utah.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Ecosystem-Atmosphere Exchange Over a Mixed Deciduous Forest in the Midwest: How Does the Carbon Budget Respond to Short-and Long-Term Climate Variability?": { + "projectTitle": "Ecosystem-Atmosphere Exchange Over a Mixed Deciduous Forest in the Midwest: How Does the Carbon Budget Respond to Short-and Long-Term Climate Variability?", + "piLastName": "Rahman", + "piFirstName": "Faiz", + "piInstitution": "The Trustees of Indiana University, Bloomington, IN", + "piEmail": "frahman@thetrustees.org", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Long-Term Soil Warming and Carbon Cycle Feedbacks to the Climate System": { + "projectTitle": "Long-Term Soil Warming and Carbon Cycle Feedbacks to the Climate System", + "piLastName": "Melillo", + "piFirstName": "Jerry", + "piInstitution": "Marine Biological Laboratory, Woods Hole, MA", + "piEmail": "jmelillo@mbl.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Partitioning CO2 Fluxes with Isotopologue Measurements and Modeling to Understand Mechanisms of Forest Carbon Sequestration": { + "projectTitle": "Partitioning CO2 Fluxes with Isotopologue Measurements and Modeling to Understand Mechanisms of Forest Carbon Sequestration", + "piLastName": "Finzi\nSaleska\nMoorcroft", + "piFirstName": "Adrien\nScott\nPaul", + "piInstitution": "Trustees of Boston University, Boston, MA\nArizona Board of Regents, The University of Arizona, Tucson, AZ\nPresident and Fellows of Harvard College, Cambridge, MA", + "piEmail": "afinzi@bu.edu\nscott.saleska@azregents.edu\npaul_moorcroft@harvard.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Effects of Warming the Deep Soil and Permafrost on Ecosystem Carbon Balance in Alaskan Tundra: A Coupled Measurement and Modeling Approach": { + "projectTitle": "Effects of Warming the Deep Soil and Permafrost on Ecosystem Carbon Balance in Alaskan Tundra: A Coupled Measurement and Modeling Approach", + "piLastName": "Schuur\nSchuur", + "piFirstName": "Edward\nEdward", + "piInstitution": "University of Florida, Gainesville, FL\nNorthern Arizona University, Flagstaff, AZ", + "piEmail": "edwards@nau.edu\nTed.Schuur@nau.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "EFFECTS OF DISTURBANCE ON CARBON SEQUESTRATION IN THE NEW JERSEY PINE BARRENS": { + "projectTitle": "EFFECTS OF DISTURBANCE ON CARBON SEQUESTRATION IN THE NEW JERSEY PINE BARRENS", + "piLastName": "Schafer", + "piFirstName": "Karina", + "piInstitution": "Rutgers - State University of New Jersey, Newark, Newark, NJ", + "piEmail": "karinavr@newark.rutgers.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Quantifying Carbon-Climate Processes at the Regional Scale Using Atmospheric Carbonyl Sulfide": { + "projectTitle": "Quantifying Carbon-Climate Processes at the Regional Scale Using Atmospheric Carbonyl Sulfide", + "piLastName": "Campbell", + "piFirstName": "John", + "piInstitution": "The Regents of the University of California, Merced, CA", + "piEmail": "ecampbell3@ucmerced.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "A New Carbon Flux Site: Innovative Methods of Atmosphere-Terrestrial Carbon Exchange Measurements and Modeling": { + "projectTitle": "A New Carbon Flux Site: Innovative Methods of Atmosphere-Terrestrial Carbon Exchange Measurements and Modeling", + "piLastName": "LECLERC", + "piFirstName": "MONIQUE", + "piInstitution": "The University of Georgia Research Foundation, Inc., Athens, GA", + "piEmail": "mleclerc@uga.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Carbon Dynamics of Forest Recovery Under a Changing Climate: Forcings, Feedbacks, and Implications for Earth System Modeling": { + "projectTitle": "Carbon Dynamics of Forest Recovery Under a Changing Climate: Forcings, Feedbacks, and Implications for Earth System Modeling", + "piLastName": "DeLucia\nTeixeira", + "piFirstName": "Evan\nKristina", + "piInstitution": "Board of Trustees of the University of Illinois, Urbana, IL\nSmithsonian Institution, Washington, DC", + "piEmail": "deluciae@csbnet.se\nteixeirak@si.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Compact, Low-Power Nitrous Oxide Monitor for Eddy Flux Soil Emission Measurements": { + "projectTitle": "Compact, Low-Power Nitrous Oxide Monitor for Eddy Flux Soil Emission Measurements", + "piLastName": "Shorter", + "piFirstName": "Joanne", + "piInstitution": "Aerodyne Research, Inc., Billerica, MA", + "piEmail": "shorter@aerodyne.com", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Low Power Nano-Sensor Based Measurement of Atmospheric Nitrogen and Argon": { + "projectTitle": "Low Power Nano-Sensor Based Measurement of Atmospheric Nitrogen and Argon", + "piLastName": "Stetter", + "piFirstName": "Joseph", + "piInstitution": "KWJ Engineering Incorporated, Newark, CA", + "piEmail": "", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Ultra High Precision Laser Monitor for Oxygen Eddy Flux Measurements": { + "projectTitle": "Ultra High Precision Laser Monitor for Oxygen Eddy Flux Measurements", + "piLastName": "Nelson", + "piFirstName": "David", + "piInstitution": "Aerodyne Research, Inc., Billerica, MA", + "piEmail": "nelson@aerodyne.com", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Biophysical processes and feedback mechanisms controlling the methane budget of an Amazonian peatland": { + "projectTitle": "Biophysical processes and feedback mechanisms controlling the methane budget of an Amazonian peatland", + "piLastName": "Lilleskov\nGriffis", + "piFirstName": "Erik\nTimothy", + "piInstitution": "USDA Forest Service, North Central Forest Experiment Station (NCFES), Saint Paul, MN\nRegents of the University of Minnesota, Minneapolis, MN", + "piEmail": "erik.a.lilleskov@usda.gov\ntgriffis@umn.edu", + "sponsorProgram": "TES", + "type": "Interagency Agreement", + "shortName": null + }, + "Climate Change in Arid Lands": { + "projectTitle": "Climate Change in Arid Lands", + "piLastName": "Belnap", + "piFirstName": "Jayne", + "piInstitution": "US Geological Survey, Moab, UT", + "piEmail": "jayne_belnap@usgs.gov", + "sponsorProgram": "TES", + "type": "Interagency Agreement", + "shortName": null + }, + "Impacts of Elevated Temperature on Ant Species, Communities and Ecological Roles at Two Temperate Forests in Eastern North America": { + "projectTitle": "Impacts of Elevated Temperature on Ant Species, Communities and Ecological Roles at Two Temperate Forests in Eastern North America", + "piLastName": "Dunn", + "piFirstName": "Robert", + "piInstitution": "North Carolina State University, Raleigh, NC", + "piEmail": "robert_dunn@ncsu.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "EFFECTS OF WARMING ON TREE SPECIES' RECRUITMENT IN DECIDUOUS FORESTS OF THE EASTERN UNITED STATES": { + "projectTitle": "EFFECTS OF WARMING ON TREE SPECIES' RECRUITMENT IN DECIDUOUS FORESTS OF THE EASTERN UNITED STATES", + "piLastName": "Melillo", + "piFirstName": "Jerry", + "piInstitution": "Marine Biological Laboratory, Woods Hole, MA", + "piEmail": "jmelillo@mbl.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Supporting Carbon Cycle and Earth Systems Modeling with Measurements and Analysis from the Howland AmeriFlux Site": { + "projectTitle": "Supporting Carbon Cycle and Earth Systems Modeling with Measurements and Analysis from the Howland AmeriFlux Site", + "piLastName": "Hollinger", + "piFirstName": "David", + "piInstitution": "USDA Forest Service, Golden, CO", + "piEmail": "david.hollinger@usda.gov", + "sponsorProgram": "TES", + "type": "Interagency Agreement", + "shortName": null + }, + "Permafrost Thawing and Vegetation Change Effects on Cryoturbation Rates and C and CH4 Dynamics": { + "projectTitle": "Permafrost Thawing and Vegetation Change Effects on Cryoturbation Rates and C and CH4 Dynamics", + "piLastName": "Gonzalez-Meler", + "piFirstName": "Miquel", + "piInstitution": "Board of Trustees of the University of Illinois, Chicago, IL", + "piEmail": "mmeler@uic.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Quantifying the Effect of Nighttime Interactions Between Roots and Canopy Physiology and Their Control of Water and Carbon Cycling on Feedbacks Between Soil Moisture and Terrestrial Climatology under Variable Environmental Conditions": { + "projectTitle": "Quantifying the Effect of Nighttime Interactions Between Roots and Canopy Physiology and Their Control of Water and Carbon Cycling on Feedbacks Between Soil Moisture and Terrestrial Climatology under Variable Environmental Conditions", + "piLastName": "Domec", + "piFirstName": "Jean-Christophe", + "piInstitution": "North Carolina State University, Raleigh, NC", + "piEmail": "jc.domec@duke.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Water-Carbon Links in a Tropical Forest: How Interbasin Groundwater Flow Affects Carbon Fluxes and Ecosystem Carbon Budgets": { + "projectTitle": "Water-Carbon Links in a Tropical Forest: How Interbasin Groundwater Flow Affects Carbon Fluxes and Ecosystem Carbon Budgets", + "piLastName": "Genereux", + "piFirstName": "David", + "piInstitution": "North Carolina State University, Raleigh, NC", + "piEmail": "genereux@ncsu.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Forecasting Carbon Storage as Eastern Forests Age: Joining Experimental and Modeling Approaches at the UMBS Ameriflux Site": { + "projectTitle": "Forecasting Carbon Storage as Eastern Forests Age: Joining Experimental and Modeling Approaches at the UMBS Ameriflux Site", + "piLastName": "Curtis", + "piFirstName": "Peter", + "piInstitution": "The Ohio State University, Columbus, OH", + "piEmail": "pcurtis@osu.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Exploratory Research - Using Volatile Organic Compounds to Separate Heterotrophic and Autotrophic Forest Soil Respiration": { + "projectTitle": "Exploratory Research - Using Volatile Organic Compounds to Separate Heterotrophic and Autotrophic Forest Soil Respiration", + "piLastName": "Roberts", + "piFirstName": "Scott", + "piInstitution": "Mississippi State University, Mississippi State, MS", + "piEmail": "scott.roberts@msstate.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Quantifying the Control of Plant Photosynthesis on Root Respiration by Measuring and Manipulating Photosynthate Transport Rates in the Tree Phloem": { + "projectTitle": "Quantifying the Control of Plant Photosynthesis on Root Respiration by Measuring and Manipulating Photosynthate Transport Rates in the Tree Phloem", + "piLastName": "Tang", + "piFirstName": "Jianwu", + "piInstitution": "Marine Biological Laboratory, Woods Hole, MA", + "piEmail": "jtang@mbl.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Constraining the Simultaneous Effects of Elevated CO2, Temperature, and Shifts in Rainfall Patterns on Ecosystem Carbon Fluxes using Multi-Scale Resource": { + "projectTitle": "Constraining the Simultaneous Effects of Elevated CO2, Temperature, and Shifts in Rainfall Patterns on Ecosystem Carbon Fluxes using Multi-Scale Resource", + "piLastName": "Katul", + "piFirstName": "Gabriel", + "piInstitution": "Duke University, Durham, NC", + "piEmail": "gabriel.katul@hilton.com", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Carbon-Water Cycling in the Critical Zone: Understanding Ecosystem Process Variability Across Complex Terrain": { + "projectTitle": "Carbon-Water Cycling in the Critical Zone: Understanding Ecosystem Process Variability Across Complex Terrain", + "piLastName": "Barnard", + "piFirstName": "Holly", + "piInstitution": "The Regents of the University of Colorado d/b/a Universiy of Colorado - Denver, Boulder, CO", + "piEmail": "holly.barnard@usg.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Direct, Indirect and Interactive Effects of Warming and Elevated CO2 on Grassland Carbon Metabolism": { + "projectTitle": "Direct, Indirect and Interactive Effects of Warming and Elevated CO2 on Grassland Carbon Metabolism", + "piLastName": "Pendall", + "piFirstName": "Elise", + "piInstitution": "University of Wyoming, Laramie, WY", + "piEmail": "ependall@uwyo.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Interactive Effects of Climate Change and Decomposer Communities on the Stabilization of Wood-Derived Carbon Pools: Catalyst for a New Study": { + "projectTitle": "Interactive Effects of Climate Change and Decomposer Communities on the Stabilization of Wood-Derived Carbon Pools: Catalyst for a New Study", + "piLastName": "Resh", + "piFirstName": "Sigrid", + "piInstitution": "Michigan Technological University, Houghton, MI", + "piEmail": "sigrid@mtu.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Partitioning CO2 Fluxes With Isotopologues Measurements and Modeling to Understand Mechansims of Forest Carbon Sequestration": { + "projectTitle": "Partitioning CO2 Fluxes With Isotopologues Measurements and Modeling to Understand Mechansims of Forest Carbon Sequestration", + "piLastName": "Davidson", + "piFirstName": "Eric", + "piInstitution": "Woods Hole Research Center, Inc., Falmouth, MA", + "piEmail": "edavidson@umces.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Subalpine and Alpine Species Range Shifts with Climate Change: Temperature and Soil Moisture Manipulations to Test Species & Population Responses": { + "projectTitle": "Subalpine and Alpine Species Range Shifts with Climate Change: Temperature and Soil Moisture Manipulations to Test Species & Population Responses", + "piLastName": "Germino", + "piFirstName": "Matthew", + "piInstitution": "USGS - Forest & Rangeland Ecosystem Science Center, Corvallis, OR", + "piEmail": "mgermino@usgs.gov", + "sponsorProgram": "TES", + "type": "Interagency Agreement", + "shortName": null + }, + "The Response of Soil Carbon Storage and Microbially Mediated Turnover to Simulated Climatic Disturbance in a Northern Peatland Forest: Revisiting the Concept of Soil Organic Matter Recalcitrance": { + "projectTitle": "The Response of Soil Carbon Storage and Microbially Mediated Turnover to Simulated Climatic Disturbance in a Northern Peatland Forest: Revisiting the Concept of Soil Organic Matter Recalcitrance", + "piLastName": "Kostka", + "piFirstName": "Joel", + "piInstitution": "Georgia Tech Research Corporation, Atlanta, GA", + "piEmail": "joelkostka@gatech.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Understanding the Mechanisms Underlying Heterotrophic CO2 and CH4 Fluxes in a Peatland with Deep Soil Warming and Atmospheric CO2 Enrichment": { + "projectTitle": "Understanding the Mechanisms Underlying Heterotrophic CO2 and CH4 Fluxes in a Peatland with Deep Soil Warming and Atmospheric CO2 Enrichment", + "piLastName": "Bridgham", + "piFirstName": "Scott", + "piInstitution": "University of Oregon, Eugene, OR", + "piEmail": "sbridgham@uoregon.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Advancing Understanding of the Role of Belowground Processes in Terrestrial Carbon Sinks Through Ground-Penetrating Radar": { + "projectTitle": "Advancing Understanding of the Role of Belowground Processes in Terrestrial Carbon Sinks Through Ground-Penetrating Radar", + "piLastName": "Day", + "piFirstName": "Frank", + "piInstitution": "Old Dominion University Research Foundation, Norfolk, VA", + "piEmail": "fday@odu.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Sources, Sinks and Processes Regulating Cryptic Methane Emissions from Upland Ecosystems": { + "projectTitle": "Sources, Sinks and Processes Regulating Cryptic Methane Emissions from Upland Ecosystems", + "piLastName": "Megonigal", + "piFirstName": "Patrick", + "piInstitution": "Smithsonian Institution, Washington, DC", + "piEmail": "megonigalp@si.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Hydraulic Redistribution of Water Through Plant Roots - Implications for Carbon Cycling and Energy Flux at Multiple Sites": { + "projectTitle": "Hydraulic Redistribution of Water Through Plant Roots - Implications for Carbon Cycling and Energy Flux at Multiple Sites", + "piLastName": "Cardon", + "piFirstName": "Zoe", + "piInstitution": "Marine Biological Laboratory, Woods Hole, MA", + "piEmail": "zcardon@mbl.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Climate Change Feedbacks from Interactions Between New and Old Carbon": { + "projectTitle": "Climate Change Feedbacks from Interactions Between New and Old Carbon", + "piLastName": "Dukes", + "piFirstName": "Jeffrey", + "piInstitution": "Purdue University, West Lafayette, IN", + "piEmail": "jsdukes@purdue.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Synthesis of Scrub-Oak Ecosystem Responses to Elevated CO2": { + "projectTitle": "Synthesis of Scrub-Oak Ecosystem Responses to Elevated CO2", + "piLastName": "Hungate", + "piFirstName": "Bruce", + "piInstitution": "ClimateWise Solutions, LLC, Flagstaff, AZ", + "piEmail": "Bruce.Hungate@nau.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Fluxes of CO2, CH4, CO, BVOCs,NOx and O3 in An Old Growth Amazonian Forest: Ecosystem Processes, Carbon Cycle, Atmospheric Chemistry, and Feedbacks on Climate": { + "projectTitle": "Fluxes of CO2, CH4, CO, BVOCs,NOx and O3 in An Old Growth Amazonian Forest: Ecosystem Processes, Carbon Cycle, Atmospheric Chemistry, and Feedbacks on Climate", + "piLastName": "Wofsy", + "piFirstName": "Steven", + "piInstitution": "President and Fellows of Harvard College, Cambridge, MA", + "piEmail": "swofsy@seas.harvard.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Archiving Data to Support Data synthesis of DOE Sponsored Elevated CO2 Experiments": { + "projectTitle": "Archiving Data to Support Data synthesis of DOE Sponsored Elevated CO2 Experiments", + "piLastName": "Megonigal", + "piFirstName": "Patrick", + "piInstitution": "Smithsonian Institution, Washington, DC", + "piEmail": "megonigalp@si.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Understanding the Response of Photosynthetic Metabolism in Tropical Forests to Seasonal Climate Variations": { + "projectTitle": "Understanding the Response of Photosynthetic Metabolism in Tropical Forests to Seasonal Climate Variations", + "piLastName": "Dye", + "piFirstName": "Dennis", + "piInstitution": "US Geological Survey Western Geographic Science Center, Menlo Park, CA", + "piEmail": "ddye@usgs.gov", + "sponsorProgram": "TES", + "type": "Interagency Agreement", + "shortName": null + }, + "Improving Models to Predict Phenological Responses to Global Change": { + "projectTitle": "Improving Models to Predict Phenological Responses to Global Change", + "piLastName": "Richardson", + "piFirstName": "Andrew", + "piInstitution": "President and Fellows of Harvard College, Cambridge, MA", + "piEmail": "arichardson@oeb.harvard.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Spatial Variation in Microbial Processes Controlling Carbon Mineralization within Soils and Sediments": { + "projectTitle": "Spatial Variation in Microbial Processes Controlling Carbon Mineralization within Soils and Sediments", + "piLastName": "Fendorf", + "piFirstName": "Scott", + "piInstitution": "Board of Trustees of the Leland Stanford Junior University, Palo Alto, CA", + "piEmail": "fendorf@stanford.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Rigid Nanostructured Organic Polymer Monolith for In Situ Collection and Analysis of Plant Metabolites from Soil Matrices": { + "projectTitle": "Rigid Nanostructured Organic Polymer Monolith for In Situ Collection and Analysis of Plant Metabolites from Soil Matrices", + "piLastName": "Tharayil", + "piFirstName": "Nishanth", + "piInstitution": "Clemson University, Clemson, SC", + "piEmail": "nishantht@clemson.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Above and Belowground Connections and Species Interactions: Controls Over Ecosystem Fluxes": { + "projectTitle": "Above and Belowground Connections and Species Interactions: Controls Over Ecosystem Fluxes", + "piLastName": "Trowbridge", + "piFirstName": "Amy", + "piInstitution": "HyPerspectives, Incorporated, Bozeman, MT", + "piEmail": "", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Lidar-based high resolution 3D imager and remote gas sensor: a new paradigm for terrestrial environmental monitoring": { + "projectTitle": "Lidar-based high resolution 3D imager and remote gas sensor: a new paradigm for terrestrial environmental monitoring", + "piLastName": "Thorpe", + "piFirstName": "Michael", + "piInstitution": "Bridger Photonics, Inc., Bozeman, MT", + "piEmail": "thorpe@bridgerphotonics.com", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Portable nitrous oxide sensor for understanding agricultural and soil emissions": { + "projectTitle": "Portable nitrous oxide sensor for understanding agricultural and soil emissions", + "piLastName": "Stanton", + "piFirstName": "Alan", + "piInstitution": "Southwest Sciences, Inc., Santa Fe, NM", + "piEmail": "astanton@swsciences.com", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Ground Penetrating Radar System and Algorithms for Fine Root Analysis": { + "projectTitle": "Ground Penetrating Radar System and Algorithms for Fine Root Analysis", + "piLastName": "Sabin", + "piFirstName": "Gerald", + "piInstitution": "RNET Technologies, Inc., Dayton, OH", + "piEmail": "gsabin@rnet-tech.com", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Low cost, Autonomous NMR and Multi-sensor Soil Monitoring Instrument": { + "projectTitle": "Low cost, Autonomous NMR and Multi-sensor Soil Monitoring Instrument", + "piLastName": "Walsh", + "piFirstName": "David", + "piInstitution": "Vista Clara Inc., Mukilteo, WA", + "piEmail": "dwalsh@fiesta.com", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Toward a predicitive understanding of the response of belowground microbial carbon turnover to climate change drivers in a boreal peatland": { + "projectTitle": "Toward a predicitive understanding of the response of belowground microbial carbon turnover to climate change drivers in a boreal peatland", + "piLastName": "Kostka", + "piFirstName": "Joel", + "piInstitution": "Georgia Tech Research Corporation, Atlanta, GA", + "piEmail": "joelkostka@gatech.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Effects of Experimental Warming and Elevated CO2 on CO2 and CH4 Fluxes in an Ombrotrophic Black-Spruce": { + "projectTitle": "Effects of Experimental Warming and Elevated CO2 on CO2 and CH4 Fluxes in an Ombrotrophic Black-Spruce", + "piLastName": "Finzi", + "piFirstName": "Adrien", + "piInstitution": "Trustees of Boston University, Boston, MA", + "piEmail": "afinzi@bu.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Leadership and Coordination: Adaptation Actions for a Changing Arctic - Bering Beaufort Chukchi Region": { + "projectTitle": "Leadership and Coordination: Adaptation Actions for a Changing Arctic - Bering Beaufort Chukchi Region", + "piLastName": "Hinzman", + "piFirstName": "Larry", + "piInstitution": "University of Alaska Fairbanks, Fairbanks, AK", + "piEmail": "larry.hinzman@uaf.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "15th National Conference and Global Forum on Science, Policy and the Environment: Energy and Climate Change": { + "projectTitle": "15th National Conference and Global Forum on Science, Policy and the Environment: Energy and Climate Change", + "piLastName": "Saundry", + "piFirstName": "Peter", + "piInstitution": "National Council for Science and the Environment, Washington, DC", + "piEmail": "peters@thenationalcouncil.org", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "High Speed VNIR/SWIR Hyperspectral Imager for Quantifying Terrestrial Ecosystems": { + "projectTitle": "High Speed VNIR/SWIR Hyperspectral Imager for Quantifying Terrestrial Ecosystems", + "piLastName": "Dupuis", + "piFirstName": "Julia", + "piInstitution": "Physical Sciences Inc., Andover, MA", + "piEmail": "dupuis@psicorp.com", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "A Compact, Broad-Band Hyperspectral SpectroRadiometer": { + "projectTitle": "A Compact, Broad-Band Hyperspectral SpectroRadiometer", + "piLastName": "Swanson", + "piFirstName": "Rand", + "piInstitution": "Resonon, Inc., Bozeman, MT", + "piEmail": "", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Mass Spectroscopy for Atmospheric Gas Analysis": { + "projectTitle": "Mass Spectroscopy for Atmospheric Gas Analysis", + "piLastName": "Ulmer", + "piFirstName": "Chris", + "piInstitution": "Physical Optics Corporation, Torrance, CA", + "piEmail": "culmer@poc.com", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "U.S. Global Change Research Program (USGCRP)": { + "projectTitle": "U.S. Global Change Research Program (USGCRP)", + "piLastName": "Macaulay", + "piFirstName": "Claire", + "piInstitution": "NASA - Headquarters, Washington, DC", + "piEmail": "claire.i.macaulay@nasa.gov", + "sponsorProgram": "TES", + "type": "Interagency Agreement", + "shortName": null + }, + "16th National Conference and Global Forum on Science, Policy and the Environment: The Food-Energy-Water Nexus": { + "projectTitle": "16th National Conference and Global Forum on Science, Policy and the Environment: The Food-Energy-Water Nexus", + "piLastName": "Saundry", + "piFirstName": "Peter", + "piInstitution": "National Council for Science and the Environment, Washington, DC", + "piEmail": "psaundr1@jhu.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Support to Convene the 2016 Arctic Science Summit Week (ASSW) and Arctic Observing Summit (AOS) at the University of Alaska Fairbanks": { + "projectTitle": "Support to Convene the 2016 Arctic Science Summit Week (ASSW) and Arctic Observing Summit (AOS) at the University of Alaska Fairbanks", + "piLastName": "Hinzman", + "piFirstName": "Larry", + "piInstitution": "University of Alaska Fairbanks, Fairbanks, AK", + "piEmail": "ldhinzman@alaska.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "High Resolution Miniature Multiband Spectroradiometer for UAS Platforms": { + "projectTitle": "High Resolution Miniature Multiband Spectroradiometer for UAS Platforms", + "piLastName": "Zhang", + "piFirstName": "Fang", + "piInstitution": "Physical Optics Corporation, Torrance, CA", + "piEmail": "fzhang@poc.com", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Miniaturized UAS Spectroradiometer for Quantifying Ecosystems": { + "projectTitle": "Miniaturized UAS Spectroradiometer for Quantifying Ecosystems", + "piLastName": "Pieper", + "piFirstName": "Sean", + "piInstitution": "Sporian Microsystems, Inc., Lafayette, CO", + "piEmail": "spieper@sporian.com", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Compact, High Performance, Drone-mounted Spectral Imaging System for Ecosystem Carbon-Cycle": { + "projectTitle": "Compact, High Performance, Drone-mounted Spectral Imaging System for Ecosystem Carbon-Cycle", + "piLastName": "Tannian", + "piFirstName": "Bridget", + "piInstitution": "Spectral Sciences, Inc., Burlington, MA", + "piEmail": "btannian@spectral.com", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Minitaurized VNIR-SWIR Hyperspectral Sensor Technology Platform for Unmanned Aerial Systems": { + "projectTitle": "Minitaurized VNIR-SWIR Hyperspectral Sensor Technology Platform for Unmanned Aerial Systems", + "piLastName": "Clemens", + "piFirstName": "Peter", + "piInstitution": "Headwall Photonics Inc., Fitchburg, MA", + "piEmail": "", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Novel Compact Ceilometer": { + "projectTitle": "Novel Compact Ceilometer", + "piLastName": "Albert", + "piFirstName": "Michael", + "piInstitution": "Fibertek, Inc., Herndon, VA", + "piEmail": "malbert@fibertek.com", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Low-Power Micro Ceilometer": { + "projectTitle": "Low-Power Micro Ceilometer", + "piLastName": "Ulmer", + "piFirstName": "Chris", + "piInstitution": "Physical Optics Corporation, Torrance, CA", + "piEmail": "culmer@poc.com", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Ultra-compact Laser Ceilometer for Boundary Layer and Cloud Height Retrievals; 20c": { + "projectTitle": "Ultra-compact Laser Ceilometer for Boundary Layer and Cloud Height Retrievals; 20c", + "piLastName": "Sonnenfroh", + "piFirstName": "David", + "piInstitution": "Physical Sciences Inc., Andover, MA", + "piEmail": "sonnenfroh@psicorp.com", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Quantifying Variability and Controls of Riverine Dissolved Organic Carbon Exported to Arctic Coastal Margins of North America": { + "projectTitle": "Quantifying Variability and Controls of Riverine Dissolved Organic Carbon Exported to Arctic Coastal Margins of North America", + "piLastName": "Rawlins", + "piFirstName": "Michael", + "piInstitution": "University of Massachusetts Amherst, Amherst, MA", + "piEmail": "mrawlins@umass.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Leveraging synthetic root-soil systems to quantify relationships between plant traits and the formation of soil organic carbon": { + "projectTitle": "Leveraging synthetic root-soil systems to quantify relationships between plant traits and the formation of soil organic carbon", + "piLastName": "Waring", + "piFirstName": "Bonnie", + "piInstitution": "Utah State University, Logan, UT", + "piEmail": "bonnie.waring@usu.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Exploring halophyte hydrodynamics and the role of vegetation traits on ecosystem response to disturbance at the terrestrial-aquatic interface": { + "projectTitle": "Exploring halophyte hydrodynamics and the role of vegetation traits on ecosystem response to disturbance at the terrestrial-aquatic interface", + "piLastName": "Matheny", + "piFirstName": "Ashley", + "piInstitution": "The University of Texas at Austin, Austin, TX", + "piEmail": "ashley.matheny@jsg.utexas.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Coupled Long-Term Experiment and Model Investigation of the Differential Response of Plants and Soil Microbes in a Changing Permafrost Tundra Ecosystem": { + "projectTitle": "Coupled Long-Term Experiment and Model Investigation of the Differential Response of Plants and Soil Microbes in a Changing Permafrost Tundra Ecosystem", + "piLastName": "Schuur", + "piFirstName": "Edward", + "piInstitution": "Northern Arizona University, Flagstaff, AZ", + "piEmail": "Ted.Schuur@nau.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Testing mechanisms of how mycorrhizal associations affect forest soil carbon and nitrogen cycling": { + "projectTitle": "Testing mechanisms of how mycorrhizal associations affect forest soil carbon and nitrogen cycling", + "piLastName": "Pries", + "piFirstName": "Caitlin", + "piInstitution": "Trustees of Dartmouth College, Hanover, NH", + "piEmail": "caitlin.hicks.pries@dartmouth.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Water foraging with dynamic roots in E3SM; The role of roots in terrestrial ecosystem memory on intermediate timescales": { + "projectTitle": "Water foraging with dynamic roots in E3SM; The role of roots in terrestrial ecosystem memory on intermediate timescales", + "piLastName": "Berkelhammer", + "piFirstName": "Max", + "piInstitution": "Board of Trustees of the University of Illinois, Chicago, IL", + "piEmail": "berkelha@uic.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Unraveling the Mechanisms of Below- And Aboveground Liana-Tree Competition in Tropical Forests": { + "projectTitle": "Unraveling the Mechanisms of Below- And Aboveground Liana-Tree Competition in Tropical Forests", + "piLastName": "Medvigy", + "piFirstName": "David", + "piInstitution": "University of Notre Dame du Lac, Notre Dame, IN", + "piEmail": "dmedvigy@nd.edu", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Image Processing Improvements for In Situ Fine Root Measurements - Rootinaview": { + "projectTitle": "Image Processing Improvements for In Situ Fine Root Measurements - Rootinaview", + "piLastName": "Stoecker-Sylvia", + "piFirstName": "Zack", + "piInstitution": "Oceanit Laboratories, Inc., Honolulu, HI", + "piEmail": "zss@oceanit.com", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Progressive Automation of Minirhizotron Image Processing Through Advanced Contextualization and Machine Learning": { + "projectTitle": "Progressive Automation of Minirhizotron Image Processing Through Advanced Contextualization and Machine Learning", + "piLastName": "Pearce", + "piFirstName": "Andrea", + "piInstitution": "TRANSCEND ENGINEERING AND TECHNOLOGY, LLC, Gaysville, VT", + "piEmail": "", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Novel Deep Learning Methods for Mini Rhizotron Measurements": { + "projectTitle": "Novel Deep Learning Methods for Mini Rhizotron Measurements", + "piLastName": "Garcia", + "piFirstName": "Manuel", + "piInstitution": "UHV Technologies, Inc., Lexington, KY", + "piEmail": "mgarcia@nanoranch.com", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "DeepRoot: Automated Root Analysis for Minirhizotrons": { + "projectTitle": "DeepRoot: Automated Root Analysis for Minirhizotrons", + "piLastName": "Shasharina", + "piFirstName": "Svetlana", + "piInstitution": "Tech-X Corporation, Boulder, CO", + "piEmail": "Sveta@txcorp.com", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Shape Analytics for In Situ Fine Root Measurements": { + "projectTitle": "Shape Analytics for In Situ Fine Root Measurements", + "piLastName": "Ball", + "piFirstName": "Kenneth", + "piInstitution": "Geometric Data Analytics, Inc., Durham, NC", + "piEmail": "kenneth.ball@geomdata.com", + "sponsorProgram": "TES", + "type": "Grant", + "shortName": null + }, + "Advancing predictive understanding of hydrologic exchange in the river corridor": { + "projectTitle": "Advancing predictive understanding of hydrologic exchange in the river corridor", + "piLastName": "Wondzell", + "piFirstName": "Steven", + "piInstitution": "USDA Forest Service, Portland, OR", + "piEmail": "swondzell@fs.fed.us", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Quantifying Hydro-biogeochemical controls on watershed dissolved organic matter flux and processing": { + "projectTitle": "Quantifying Hydro-biogeochemical controls on watershed dissolved organic matter flux and processing", + "piLastName": "Rhoades", + "piFirstName": "Charles", + "piInstitution": "US Forest Service, Rocky Mountain Research Station, Fort Collins, CO", + "piEmail": "chuck.rhoades@colostate.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Resolving Aquifer Controls on Larger River-Groundwater Exchanges of Mass and Energy": { + "projectTitle": "Resolving Aquifer Controls on Larger River-Groundwater Exchanges of Mass and Energy", + "piLastName": "Briggs\nGooseff", + "piFirstName": "Martin\nMichael", + "piInstitution": "U.S. Geological Survey, Storrs Mansfield, Storrs Mansfield, CT\nThe Regents of the University of Colorado d/b/a University of Colorado, Boulder, CO", + "piEmail": "mbriggs@usgs.gov\nMichael.Gooseff@Colorado.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Influence of Organic Ligands on the Stability and Mobility of Reduced Tc(IV) and U(IV)": { + "projectTitle": "Influence of Organic Ligands on the Stability and Mobility of Reduced Tc(IV) and U(IV)", + "piLastName": "Wall", + "piFirstName": "Nathalie", + "piInstitution": "Washington State University, Pullman, WA", + "piEmail": "nawall@wsu.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Mercury Release from Organic Matter (OM) and OM-Coated Mineral Surfaces": { + "projectTitle": "Mercury Release from Organic Matter (OM) and OM-Coated Mineral Surfaces", + "piLastName": "Nagy\nAiken", + "piFirstName": "Kathryn\nGeorge", + "piInstitution": "Board of Trustees of the University of Illinois, Chicago, IL\nU.S. Geological Survey, Lakewood, Lakewood, CO", + "piEmail": "klnagy@uic.edu\nkebutler@usgs.gov", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Mercury Release from Natural Organic Matter (NOM), Minerals and NOM-Coated Mineral Surfaces": { + "projectTitle": "Mercury Release from Natural Organic Matter (NOM), Minerals and NOM-Coated Mineral Surfaces", + "piLastName": "Ryan", + "piFirstName": "Joseph", + "piInstitution": "The Regents of the University of Colorado d/b/a Universiy of Colorado - Denver, Boulder, CO", + "piEmail": "Joseph.Ryan@colorado.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Defining the Molecular-Cellular-Field Continuum of Mercury Detoxification": { + "projectTitle": "Defining the Molecular-Cellular-Field Continuum of Mercury Detoxification", + "piLastName": "Miller\nSummers", + "piFirstName": "Susan\nAnne", + "piInstitution": "The Regents of the University of California, San Francisco, San Francisco, CA\nThe University of Georgia Research Foundation, Inc., Athens, GA", + "piEmail": "Susan.MillerPhd@ucsf.edu\nsummers@uga.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Molecular Mechanisms of Bacterial Mercury Transformation": { + "projectTitle": "Molecular Mechanisms of Bacterial Mercury Transformation", + "piLastName": "Smith\nMiller", + "piFirstName": "Jeremy\nSusan", + "piInstitution": "The University of Tennessee, Knoxville, TN\nThe Regents of the University of California, San Francisco, San Francisco, CA", + "piEmail": "smithjc@ornl.gov\nSusan.MillerPhd@ucsf.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Molecular Mechanisms of Bacterial Mercury Transformation; PI: Anne O. Summers": { + "projectTitle": "Molecular Mechanisms of Bacterial Mercury Transformation; PI: Anne O. Summers", + "piLastName": "Summers", + "piFirstName": "Anne", + "piInstitution": "The University of Georgia Research Foundation, Inc., Athens, GA", + "piEmail": "summers@uga.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Development of New and Integrated Stable Isotope Tools for Characterizing Nitrogen-Uranium Cycling in Subsurface Environments": { + "projectTitle": "Development of New and Integrated Stable Isotope Tools for Characterizing Nitrogen-Uranium Cycling in Subsurface Environments", + "piLastName": "Johnston", + "piFirstName": "David", + "piInstitution": "President and Fellows of Harvard College, Cambridge, MA", + "piEmail": "johnston@eps.harvard.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Identifying Key Proteins in Hg Methylation Pathways of Desulfovibrio by Global Proteomics": { + "projectTitle": "Identifying Key Proteins in Hg Methylation Pathways of Desulfovibrio by Global Proteomics", + "piLastName": "Wall\nMiller\nSummers", + "piFirstName": "Judy\nSusan\nAnne", + "piInstitution": "The Curators of the University of Missouri, Columbia, MO\nThe Regents of the University of California, San Francisco, San Francisco, CA\nThe University of Georgia Research Foundation, Inc., Athens, GA", + "piEmail": "WallJ@missouri.edu\nSusan.MillerPhd@ucsf.edu\nsummers@uga.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Coupled Biological and Micro-XAS/XRF Analysis of In Situ Uranium Biogeochemical Processes": { + "projectTitle": "Coupled Biological and Micro-XAS/XRF Analysis of In Situ Uranium Biogeochemical Processes", + "piLastName": "Sharp", + "piFirstName": "Jonathan", + "piInstitution": "Colorado School of Mines, Golden, CO", + "piEmail": "jsharp@mines.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Isotopic Characterization of Biogeochemical Pools of Mercury and Determination of Reaction Pathways for Mercury Methylation": { + "projectTitle": "Isotopic Characterization of Biogeochemical Pools of Mercury and Determination of Reaction Pathways for Mercury Methylation", + "piLastName": "Blum", + "piFirstName": "Joel", + "piInstitution": "Regents of the University of Michigan, Ann Arbor, MI", + "piEmail": "jdblum@umich.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Microbial Oxidation of Hg(0): Its Effect on Hg Stable Isotope Fractionation and Methylmercury Production": { + "projectTitle": "Microbial Oxidation of Hg(0): Its Effect on Hg Stable Isotope Fractionation and Methylmercury Production", + "piLastName": "Barkay", + "piFirstName": "Tamar", + "piInstitution": "Rutgers, The State University of New Jersey, New Brunswick, NJ", + "piEmail": "tamar.barkay@rutgers.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Evaluating Trace Metal Limitations on Methane Fluxes in Terrestrial Ecosystems, with Sub": { + "projectTitle": "Evaluating Trace Metal Limitations on Methane Fluxes in Terrestrial Ecosystems, with Sub", + "piLastName": "Catalano", + "piFirstName": "Jeffrey", + "piInstitution": "Washington University, St Louis, MO", + "piEmail": "catalano@wustl.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Multi-Scale Modeling Framework for Mercury Biogeochemistry": { + "projectTitle": "Multi-Scale Modeling Framework for Mercury Biogeochemistry", + "piLastName": "Smith", + "piFirstName": "Jeremy", + "piInstitution": "The University of Tennessee, Knoxville, TN", + "piEmail": "smithjc@ornl.gov", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Workshop to Integrate of Research and Policy of Environmental Mercury Contamination in Ecosystems": { + "projectTitle": "Workshop to Integrate of Research and Policy of Environmental Mercury Contamination in Ecosystems", + "piLastName": "Hsu-Kim", + "piFirstName": "Heileen", + "piInstitution": "Duke University, Durham, NC", + "piEmail": "hsukim@duke.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Quantifying hydro-biogeochemical controls on watershed dissolved organic matter flux and processing": { + "projectTitle": "Quantifying hydro-biogeochemical controls on watershed dissolved organic matter flux and processing", + "piLastName": "Covino", + "piFirstName": "Tim", + "piInstitution": "Colorado State University, Fort Collins, CO", + "piEmail": "tim.covino@colostate.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "CONSTRAINING PHYSICAL UNDERSTANDING OF AEROSOL LOADING, BIOGEOCHEMISTRY, AND SNOWMELT HYDROLOGY FROM HILLSLOPE TO WATERSHED SCALE IN THE EAST RIVER SCIENTIFIC FOCUS AREA": { + "projectTitle": "CONSTRAINING PHYSICAL UNDERSTANDING OF AEROSOL LOADING, BIOGEOCHEMISTRY, AND SNOWMELT HYDROLOGY FROM HILLSLOPE TO WATERSHED SCALE IN THE EAST RIVER SCIENTIFIC FOCUS AREA", + "piLastName": "Skiles", + "piFirstName": "S. McKenzie", + "piInstitution": "University of Utah, Salt Lake City, UT", + "piEmail": "m.skiles@geog.utah.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "A radioisotope - enabled reactive transport model for deep vadose zone carbon": { + "projectTitle": "A radioisotope - enabled reactive transport model for deep vadose zone carbon", + "piLastName": "Druhan", + "piFirstName": "Jennifer", + "piInstitution": "Board of Trustees of the University of Illinois, Champaign, IL", + "piEmail": "jdruhan@illinois.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Space and time dynamics of transpiration in the East River watershed: biotic and abiotic controls": { + "projectTitle": "Space and time dynamics of transpiration in the East River watershed: biotic and abiotic controls", + "piLastName": "Berkelhammer", + "piFirstName": "Max", + "piInstitution": "Board of Trustees of the University of Illinois, Chicago, IL", + "piEmail": "berkelha@uic.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Science Area 1: Standard Award: Model-Data Fusion to Examine Multiscale Dynamical Controls on Snow Cover and Critical Zone Moisture Inputs": { + "projectTitle": "Science Area 1: Standard Award: Model-Data Fusion to Examine Multiscale Dynamical Controls on Snow Cover and Critical Zone Moisture Inputs", + "piLastName": "Flores", + "piFirstName": "Alejandro", + "piInstitution": "Boise State University, Boise, ID", + "piEmail": "lejoflores@boisestate.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Regolith, rock and fluid distributions at the Upper Colorado River Basin via a multicomponent seismic imaging approach": { + "projectTitle": "Regolith, rock and fluid distributions at the Upper Colorado River Basin via a multicomponent seismic imaging approach", + "piLastName": "Liberty", + "piFirstName": "Lee", + "piInstitution": "Boise State University, Boise, ID", + "piEmail": "lliberty@boisestate.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Advancing Predictive Understanding of Hydrologic Exchange in the River Corridor": { + "projectTitle": "Advancing Predictive Understanding of Hydrologic Exchange in the River Corridor", + "piLastName": "Ward", + "piFirstName": "Adam", + "piInstitution": "The Trustees of Indiana University, Bloomington, IN", + "piEmail": "adamward@indiana.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "The Influence of Microbial Priming Effects on the Hydro-bio-geochemistry of Large River Reservoirs": { + "projectTitle": "The Influence of Microbial Priming Effects on the Hydro-bio-geochemistry of Large River Reservoirs", + "piLastName": "Bianchi", + "piFirstName": "Thomas", + "piInstitution": "University of Florida, Gainesville, FL", + "piEmail": "tbianchi@ufl.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Net Methylation Potential of Mercury Sulfides for Different Groups of the Methylating Microbial Community": { + "projectTitle": "Net Methylation Potential of Mercury Sulfides for Different Groups of the Methylating Microbial Community", + "piLastName": "Hsu-Kim", + "piFirstName": "Heileen", + "piInstitution": "Duke University, Durham, NC", + "piEmail": "hsukim@duke.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Multiscale, Process-based Seasonal Snowpack Dynamics Observations and Modeling to Support Water and Solute Storage and Flux Accounting in the LBNL Watershed Function SFA": { + "projectTitle": "Multiscale, Process-based Seasonal Snowpack Dynamics Observations and Modeling to Support Water and Solute Storage and Flux Accounting in the LBNL Watershed Function SFA", + "piLastName": "Deems", + "piFirstName": "Jeffrey", + "piInstitution": "The Regents of the University of Colorado d/b/a University of Colorado, Boulder, CO", + "piEmail": "jeff.deems@nsidc.org", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Integration of Omics into a New Comprehensive Rate Law for Competitive Terminal Electron-Accepting Processes in Reactive Transport Models": { + "projectTitle": "Integration of Omics into a New Comprehensive Rate Law for Competitive Terminal Electron-Accepting Processes in Reactive Transport Models", + "piLastName": "Taillefert", + "piFirstName": "Martial", + "piInstitution": "Georgia Tech Research Corporation, Atlanta, GA", + "piEmail": "martial.taillefert@eas.gatech.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Trace Metal Dynamics and Limitations on Biogeochemical Cycling in Wetland Soils and Hyporheic Zones": { + "projectTitle": "Trace Metal Dynamics and Limitations on Biogeochemical Cycling in Wetland Soils and Hyporheic Zones", + "piLastName": "Catalano", + "piFirstName": "Jeffrey", + "piInstitution": "Washington University, St Louis, MO", + "piEmail": "catalano@wustl.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Physical, resource supply, and biological controls on nutrient processing along the river continuum": { + "projectTitle": "Physical, resource supply, and biological controls on nutrient processing along the river continuum", + "piLastName": "Gonzalez-Pinzon", + "piFirstName": "Ricardo", + "piInstitution": "University of New Mexico, Albuquerque, NM", + "piEmail": "gonzaric@unm.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Scaling Hyporheic Nitrogen Cycling in Large River Alluvial Aquifers": { + "projectTitle": "Scaling Hyporheic Nitrogen Cycling in Large River Alluvial Aquifers", + "piLastName": "Hall", + "piFirstName": "Robert", + "piInstitution": "University of Montana, Missoula, MT", + "piEmail": "bob.hall@flbs.umt.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Root Influences on Mobilization and Export of Mineral-Bound Soil Organic Matter": { + "projectTitle": "Root Influences on Mobilization and Export of Mineral-Bound Soil Organic Matter", + "piLastName": "Keiluweit", + "piFirstName": "Marco", + "piInstitution": "University of Massachusetts Amherst, Amherst, MA", + "piEmail": "keiluweit@umass.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Advancing a Watershed Hydro-Biogeochemical Theory: Linking Water Travel Time and Reaction Rates Under Changing Climate": { + "projectTitle": "Advancing a Watershed Hydro-Biogeochemical Theory: Linking Water Travel Time and Reaction Rates Under Changing Climate", + "piLastName": "Li", + "piFirstName": "Li", + "piInstitution": "The Pennsylvania State University, University Park, PA", + "piEmail": "lili@engr.psu.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Abiotic and Biotic Controls on Chemical Weathering Rates and Solute Generation": { + "projectTitle": "Abiotic and Biotic Controls on Chemical Weathering Rates and Solute Generation", + "piLastName": "Larsen", + "piFirstName": "Isaac", + "piInstitution": "University of Massachusetts Amherst, Amherst, MA", + "piEmail": "ilarsen@umass.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Influx of Oxidants into Reduced Zones: Microbiological Controls Governing Metal Oxidation and Reduction": { + "projectTitle": "Influx of Oxidants into Reduced Zones: Microbiological Controls Governing Metal Oxidation and Reduction", + "piLastName": "Weber", + "piFirstName": "Karrie", + "piInstitution": "The Board of Regents, University of Nebraska for the University of Nebraska-Lincoln, Lincoln, NE", + "piEmail": "kweber2@unl.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Interactions between molecular-scale processes and hyporheic exchange for understanding Fe-S-C cycling in riparian wetlands": { + "projectTitle": "Interactions between molecular-scale processes and hyporheic exchange for understanding Fe-S-C cycling in riparian wetlands", + "piLastName": "Santelli", + "piFirstName": "Cara", + "piInstitution": "Regents of the University of Minnesota, Minneapolis, MN", + "piEmail": "santelli@umn.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Interactions between molecular-scale biogeochemical processes and hyporheic exchange for understanding coupled Fe-S-C cycling in iron-rich riparian wetlands": { + "projectTitle": "Interactions between molecular-scale biogeochemical processes and hyporheic exchange for understanding coupled Fe-S-C cycling in iron-rich riparian wetlands", + "piLastName": "Santelli", + "piFirstName": "Cara", + "piInstitution": "Regents of the University of Minnesota, Minneapolis, MN", + "piEmail": "santelli@umn.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Deciphering controls on metal migration within floodplains: The critical role of redox environments on metal-organic complexes": { + "projectTitle": "Deciphering controls on metal migration within floodplains: The critical role of redox environments on metal-organic complexes", + "piLastName": "Fendorf", + "piFirstName": "Scott", + "piInstitution": "Board of Trustees of the Leland Stanford Junior University, Palo Alto, CA", + "piEmail": "fendorf@stanford.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Particulate organic matter (POM) transport and transformation at the terrestrial-aquatic interface": { + "projectTitle": "Particulate organic matter (POM) transport and transformation at the terrestrial-aquatic interface", + "piLastName": "Ginder-Vogel", + "piFirstName": "Matthew", + "piInstitution": "Board of Regents of the University of Wisconsin System, operating as University of Wisconsin-Madison, Madison, WI", + "piEmail": "mgindervogel@wisc.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Microbial Activity and Precipitation at Solution-Solution Mixing Zones in Porous Media - Environmental Remediation Science Program": { + "projectTitle": "Microbial Activity and Precipitation at Solution-Solution Mixing Zones in Porous Media - Environmental Remediation Science Program", + "piLastName": "Gerlach", + "piFirstName": "Robin", + "piInstitution": "Montana State University, Bozeman, MT", + "piEmail": "robin_g@montana.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "From Nanowires to Biofilms: An Exploration of Novel Mechanisms of Uranium Transformation Mediated by Geobacter Bacteria": { + "projectTitle": "From Nanowires to Biofilms: An Exploration of Novel Mechanisms of Uranium Transformation Mediated by Geobacter Bacteria", + "piLastName": "Reguera", + "piFirstName": "Gemma", + "piInstitution": "Michigan State University, East Lansing, MI", + "piEmail": "reguera@msu.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Characterizing the combined Roles of Iron and Transverse Mixing on Uranium Bioremediation in Groundwater Using Microfluidic Pore Networks": { + "projectTitle": "Characterizing the combined Roles of Iron and Transverse Mixing on Uranium Bioremediation in Groundwater Using Microfluidic Pore Networks", + "piLastName": "Finneran", + "piFirstName": "Kevin", + "piInstitution": "Board of Trustees of the University of Illinois, Urbana, IL", + "piEmail": "kf@clemson.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Technietium Reduction and Permanent Sequestration by Abiotic and Biotic Formation of Low-Solubility Sulfide Mineral Phases": { + "projectTitle": "Technietium Reduction and Permanent Sequestration by Abiotic and Biotic Formation of Low-Solubility Sulfide Mineral Phases", + "piLastName": "Tratnyek", + "piFirstName": "Paul", + "piInstitution": "Oregon Health & Science University, Portland, OR", + "piEmail": "tratnyek@ohsu.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Microbial Activity and Precipitation in at Solution-Solution Mixing Zones in Porous Media": { + "projectTitle": "Microbial Activity and Precipitation in at Solution-Solution Mixing Zones in Porous Media", + "piLastName": "Colwell", + "piFirstName": "Frederick", + "piInstitution": "Oregon State University, Corvallis, OR", + "piEmail": "rick.colwell@oregonstate.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Uranium(IV) Interaction with Aqueous/Solid Interface Studied by Nonlinear Optics": { + "projectTitle": "Uranium(IV) Interaction with Aqueous/Solid Interface Studied by Nonlinear Optics", + "piLastName": "Geiger", + "piFirstName": "Franz", + "piInstitution": "Northwestern University, Evanston, IL", + "piEmail": "geigerf@chem.northwestern.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Inorganic Controls on Neptunium Mobility in the Subsurface": { + "projectTitle": "Inorganic Controls on Neptunium Mobility in the Subsurface", + "piLastName": "Burns", + "piFirstName": "Peter", + "piInstitution": "University of Notre Dame du Lac, Notre Dame, IN", + "piEmail": "pburns@nd.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Field Deployable, Nano-Sensing Approach for Real-Time Detection of Free Mercury, Speciation and Quantification in Surface Stream Waters and Groundwater . . . .": { + "projectTitle": "Field Deployable, Nano-Sensing Approach for Real-Time Detection of Free Mercury, Speciation and Quantification in Surface Stream Waters and Groundwater . . . .", + "piLastName": "Campiglia", + "piFirstName": "Andres", + "piInstitution": "University of Central Florida, Orlando, FL", + "piEmail": "andres.campiglia@ucf.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Radiochemically-Supported Microbial Communities: A Potential Mechanism for Biocolloid Production of Importance to Actinide Transport": { + "projectTitle": "Radiochemically-Supported Microbial Communities: A Potential Mechanism for Biocolloid Production of Importance to Actinide Transport", + "piLastName": "Moser", + "piFirstName": "Duane", + "piInstitution": "Board of Regents, obo, Nevada System of Higher Education (NSHE) - Desert Research Institute, Las Vegas, NV", + "piEmail": "Duane.Moser@dri.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Manganese Redox Mediation of UO2 Stability and Uranium Fate in the Subsurface: Molecular and Meter Scale Dynamics": { + "projectTitle": "Manganese Redox Mediation of UO2 Stability and Uranium Fate in the Subsurface: Molecular and Meter Scale Dynamics", + "piLastName": "Tebo", + "piFirstName": "Bradley", + "piInstitution": "Oregon Health & Science University, Portland, OR", + "piEmail": "", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Electron and Atom Exchange Between Aqueous Fe(II) and Structural Fe(III) in Clays: Role in U and Hg(II) Transformations": { + "projectTitle": "Electron and Atom Exchange Between Aqueous Fe(II) and Structural Fe(III) in Clays: Role in U and Hg(II) Transformations", + "piLastName": "Scherer", + "piFirstName": "Michelle", + "piInstitution": "University of Iowa, Iowa City, IA", + "piEmail": "michelle-scherer@uiowa.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Subsurface Conditions Controlling Uranium Incorporation in Iron Oxides: A Redox Stable Sink": { + "projectTitle": "Subsurface Conditions Controlling Uranium Incorporation in Iron Oxides: A Redox Stable Sink", + "piLastName": "Fendorf", + "piFirstName": "Scott", + "piInstitution": "Board of Trustees of the Leland Stanford Junior University, Palo Alto, CA", + "piEmail": "fendorf@stanford.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Long-Term Sequestration of Uranium in Iron-Rich Sediment": { + "projectTitle": "Long-Term Sequestration of Uranium in Iron-Rich Sediment", + "piLastName": "Criddle", + "piFirstName": "Craig", + "piInstitution": "Board of Trustees of the Leland Stanford Junior University, Palo Alto, CA", + "piEmail": "jchiueh@stanford.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Real Time Monitoring of Rates of Subsurface Microbial Activity Associated With Natural Attenuation and Electron Donor Availability.": { + "projectTitle": "Real Time Monitoring of Rates of Subsurface Microbial Activity Associated With Natural Attenuation and Electron Donor Availability.", + "piLastName": "Lovley", + "piFirstName": "Derek", + "piInstitution": "University of Massachusetts Amherst, Amherst, MA", + "piEmail": "dlovley@microbio.umass.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Plutonium Speciation and Mobility Through the Subsurface Environment: Nature of Organic Collodial Carriers": { + "projectTitle": "Plutonium Speciation and Mobility Through the Subsurface Environment: Nature of Organic Collodial Carriers", + "piLastName": "Santschi", + "piFirstName": "Peter", + "piInstitution": "Texas A&M Research Foundation, College Station, TX", + "piEmail": "santschi@tamug.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Dominant Mechanisms of Uranium-Phosphate Reactions in Subsurface Sediments": { + "projectTitle": "Dominant Mechanisms of Uranium-Phosphate Reactions in Subsurface Sediments", + "piLastName": "Catalano", + "piFirstName": "Jeffrey", + "piInstitution": "Washington University, St Louis, MO", + "piEmail": "catalano@wustl.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "In-Situ Generation of Iron-Chromium Precipitates for Long Term Immobilization of Chromium at the Hanford Site": { + "projectTitle": "In-Situ Generation of Iron-Chromium Precipitates for Long Term Immobilization of Chromium at the Hanford Site", + "piLastName": "Butler", + "piFirstName": "Elizabeth", + "piInstitution": "Board of Regents of the University of Oklahoma, Norman, OK", + "piEmail": "ecbutler@ou.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "In-Situ Generation of Iron-Chromium Precipitates for Long Term Immobilization of Chromium at the Hanford 100H Site": { + "projectTitle": "In-Situ Generation of Iron-Chromium Precipitates for Long Term Immobilization of Chromium at the Hanford 100H Site", + "piLastName": "Hansel", + "piFirstName": "Colleen", + "piInstitution": "President and Fellows of Harvard College, Cambridge, MA", + "piEmail": "hansel@seas.harvard.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "The Effects of Fe- and S-Oxidizing Microorganisms on Post-Biostimulation Permeability Reduction and Oxidative Processes at the Rifle IFRC Site": { + "projectTitle": "The Effects of Fe- and S-Oxidizing Microorganisms on Post-Biostimulation Permeability Reduction and Oxidative Processes at the Rifle IFRC Site", + "piLastName": "Chan", + "piFirstName": "Clara", + "piInstitution": "University Of Delaware, Newark, DE", + "piEmail": "cschan@udel.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Mechanistically-Based Field-Scale Models of Uranium Biogeochemistry From Upscaling Pore-Scale Experiments and Models": { + "projectTitle": "Mechanistically-Based Field-Scale Models of Uranium Biogeochemistry From Upscaling Pore-Scale Experiments and Models", + "piLastName": "Seymour", + "piFirstName": "Joseph", + "piInstitution": "Montana State University, Bozeman, MT", + "piEmail": "jseymour@montana.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Mechanistically-Based Field-Scale Models of Uranium Biogeochemistry from Upscaling Pore-Scale Experiments and Models": { + "projectTitle": "Mechanistically-Based Field-Scale Models of Uranium Biogeochemistry from Upscaling Pore-Scale Experiments and Models", + "piLastName": "Wood", + "piFirstName": "Brian", + "piInstitution": "Oregon State University, Corvallis, OR", + "piEmail": "brian.wood@oregonstate.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Toward Quantifying Kinetics of Biotic and Abiotic Metal Reduction with Electrical Geophysical Methods": { + "projectTitle": "Toward Quantifying Kinetics of Biotic and Abiotic Metal Reduction with Electrical Geophysical Methods", + "piLastName": "Singha", + "piFirstName": "Kamini", + "piInstitution": "The Pennsylvania State University, University Park, PA", + "piEmail": "kxs55@psu.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Electrode-Induced Removal and Recovery of Uranium (VI) From Acidic Subsurfaces": { + "projectTitle": "Electrode-Induced Removal and Recovery of Uranium (VI) From Acidic Subsurfaces", + "piLastName": "Gregory", + "piFirstName": "Kelvin", + "piInstitution": "Carnegie Mellon University, Pittsburgh, PA", + "piEmail": "kgregory@andrew.cmu.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Release of Aged Contaminants from Weathered Sediments: Effects of Sorbate Speciation on Scaling of Reactive Transport": { + "projectTitle": "Release of Aged Contaminants from Weathered Sediments: Effects of Sorbate Speciation on Scaling of Reactive Transport", + "piLastName": "O'Day\nChorover", + "piFirstName": "Peggy\nJon", + "piInstitution": "The Regents of the University of California, Merced, CA\nArizona Board of Regents, The University of Arizona, Tucson, AZ", + "piEmail": "poday@ucmerced.edu\nchorover@email.arizona.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Release of Aged Contaminants From Weathered Sediments: Effects of Sorbate Speciation on Scaling of Reactive Transport": { + "projectTitle": "Release of Aged Contaminants From Weathered Sediments: Effects of Sorbate Speciation on Scaling of Reactive Transport", + "piLastName": "Mueller", + "piFirstName": "Karl", + "piInstitution": "The Pennsylvania State University, University Park, PA", + "piEmail": "ktm2@psu.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Colloid-Facilitated Transport of Radioactive Cations in the Vadose Zone: Field Experiments at Oak Ridge National Laboratory": { + "projectTitle": "Colloid-Facilitated Transport of Radioactive Cations in the Vadose Zone: Field Experiments at Oak Ridge National Laboratory", + "piLastName": "Saiers", + "piFirstName": "James", + "piInstitution": "Yale University, New Haven, CT", + "piEmail": "james.saiers@yale.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Colloid-Facilitated Transport of Radioactive Cations in the Vadose Zone: Field Experiments at Oak Ridge Field Laboratory": { + "projectTitle": "Colloid-Facilitated Transport of Radioactive Cations in the Vadose Zone: Field Experiments at Oak Ridge Field Laboratory", + "piLastName": "Ryan", + "piFirstName": "Joseph", + "piInstitution": "The Regents of the University of Colorado d/b/a Universiy of Colorado - Denver, Boulder, CO", + "piEmail": "Joseph.Ryan@colorado.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Advanced Self-Potential Inversion: Development and Use for Investigating Natural Recharge Processes at the ORNL IFC": { + "projectTitle": "Advanced Self-Potential Inversion: Development and Use for Investigating Natural Recharge Processes at the ORNL IFC", + "piLastName": "Revil", + "piFirstName": "Andre", + "piInstitution": "Colorado School of Mines, Golden, CO", + "piEmail": "arevil@mines.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Long-Term Colloid Mobilization and Colloid-Facilitated Transport of Radionuclides in a Semi-Arid Vadose Zone": { + "projectTitle": "Long-Term Colloid Mobilization and Colloid-Facilitated Transport of Radionuclides in a Semi-Arid Vadose Zone", + "piLastName": "Flury", + "piFirstName": "Markus", + "piInstitution": "Washington State University, Pullman, WA", + "piEmail": "flury@wsu.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Scale-Dependent Fracture-Matrix Interactions and their Impact on Radionuclide Transport": { + "projectTitle": "Scale-Dependent Fracture-Matrix Interactions and their Impact on Radionuclide Transport", + "piLastName": "Rajaram\nDetwiller", + "piFirstName": "Harihar\nRussell", + "piInstitution": "The Regents of the University of Colorado d/b/a Universiy of Colorado - Denver, Boulder, CO\nRegents of the University of California, Irvine, Irvine, CA", + "piEmail": "hari@colorado.edu\ndetwiler@uci.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Geoelectrical Measurement of Multi-Scale Mass Transfer Parameters": { + "projectTitle": "Geoelectrical Measurement of Multi-Scale Mass Transfer Parameters", + "piLastName": "Binley\nDay-Lewis\nHaggerty\nKump", + "piFirstName": "Andrew\nFrederick\nRoy\nLee", + "piInstitution": "Lancaster University, Bailrigg, Lancaster UK, LA1 4Y, United Kingdom\nU.S. Geological Survey, Storrs Mansfield, Storrs Mansfield, CT\nOregon State University, Corvallis, OR\nThe Pennsylvania State University, University Park, PA", + "piEmail": "a.binley@lancaster.ac.uk\ndaylewis@usgs\nroy.haggerty@oregonstate.edu\nlrk4@psu.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "The Natural Enrichment of Stable Cesium in Weathered Micaceous Materials and Its Implications for 137Cs Sorption": { + "projectTitle": "The Natural Enrichment of Stable Cesium in Weathered Micaceous Materials and Its Implications for 137Cs Sorption", + "piLastName": "Elliott", + "piFirstName": "W. Crawford", + "piInstitution": "Georgia State University Research Foundation, Inc., Atlanta, GA", + "piEmail": "wcelliott@gsu.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Adopting Biophysical Methods in Pursuit of Biogeophysical Research": { + "projectTitle": "Adopting Biophysical Methods in Pursuit of Biogeophysical Research", + "piLastName": "Prodan", + "piFirstName": "Camelia", + "piInstitution": "New Jersey Institute of Technology, Newark, NJ", + "piEmail": "cprodan@njit.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Adopting Biophysics Methods in Pursuit of Biogeophysical Research: Advancing the Measurement & Modeling of Electrical Signatures of Microbe-Mineral...": { + "projectTitle": "Adopting Biophysics Methods in Pursuit of Biogeophysical Research: Advancing the Measurement & Modeling of Electrical Signatures of Microbe-Mineral...", + "piLastName": "Slater", + "piFirstName": "Lee", + "piInstitution": "Rutgers - State University of New Jersey, Newark, Newark, NJ", + "piEmail": "lslater@newark.rutgers.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Quantifying Microbe-Mineral Interactions Leading to Remotely Detectable Induced Polarization Signals: Implications for Monitoring Bioremediation": { + "projectTitle": "Quantifying Microbe-Mineral Interactions Leading to Remotely Detectable Induced Polarization Signals: Implications for Monitoring Bioremediation", + "piLastName": "Kendall\nNtarlagiannis\nMoysey", + "piFirstName": "Treavor\nDimitrios\nStephen", + "piInstitution": "Oregon Health & Science University, Portland, OR\nRutgers - State University of New Jersey, Newark, Newark, NJ\nClemson University, Clemson, SC", + "piEmail": "ak@ohsu.edu\ndimntar@rutgers.edu\nsmoysey@clemson.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Validation of Hydraulic Tomography and Tracer Testing Using Ground Penetrating Radar": { + "projectTitle": "Validation of Hydraulic Tomography and Tracer Testing Using Ground Penetrating Radar", + "piLastName": "Becker", + "piFirstName": "Matthew", + "piInstitution": "California State University Long Beach Foundation, Long Beach, CA", + "piEmail": "Matt.Becker@csulb.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "The Role of Nanopores on U(VI) Sorption and Redox Behavior in U(VI)-Contaminated Subsurface Sediments": { + "projectTitle": "The Role of Nanopores on U(VI) Sorption and Redox Behavior in U(VI)-Contaminated Subsurface Sediments", + "piLastName": "Xu", + "piFirstName": "Huifang", + "piInstitution": "Board of Regents of the University of Wisconsin System, operating as University of Wisconsin-Madison, Madison, WI", + "piEmail": "hfxu@geology.wisc.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Time-Lapse Tomographic Approaches for Monitoring Remediation Processes": { + "projectTitle": "Time-Lapse Tomographic Approaches for Monitoring Remediation Processes", + "piLastName": "Csatho", + "piFirstName": "Beata", + "piInstitution": "Research Foundation for the State University of New York d/b/a RFSUNY - University at Buffalo, Buffalo, NY", + "piEmail": "bcsatho@buffalo.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Development of Enabling Scientific Tools to Characterize the Geologic Subsurface at Hanford": { + "projectTitle": "Development of Enabling Scientific Tools to Characterize the Geologic Subsurface at Hanford", + "piLastName": "Kenna", + "piFirstName": "Timothy", + "piInstitution": "The Trustees of Columbia University in the City of New York, New York, NY", + "piEmail": "tkenna@ldeo.columbia.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Modeling Effects of Pore-Scale Physics on Uranium Geochemistry in Hanford Sediments": { + "projectTitle": "Modeling Effects of Pore-Scale Physics on Uranium Geochemistry in Hanford Sediments", + "piLastName": "Ewing", + "piFirstName": "Robert", + "piInstitution": "Iowa State University of Science and Technology, Ames, IA", + "piEmail": "ewing@iastate.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Technetium(VII) Coprecipitation with Framework Aluminosilicates": { + "projectTitle": "Technetium(VII) Coprecipitation with Framework Aluminosilicates", + "piLastName": "Harsh", + "piFirstName": "James", + "piInstitution": "Washington State University, Pullman, WA", + "piEmail": "harsh@wsu.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Reactivity of Iron-Bearing Phyllosilicates with Uranium and Chromium Through Redox Transition Zones": { + "projectTitle": "Reactivity of Iron-Bearing Phyllosilicates with Uranium and Chromium Through Redox Transition Zones", + "piLastName": "Burgos", + "piFirstName": "William", + "piInstitution": "The Pennsylvania State University, University Park, PA", + "piEmail": "wdb3@psu.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Role of Sulfhydryl Sites on Bacterial Cell Walls in the Biosorption, Mobility and Bioavaiability of Mercury": { + "projectTitle": "Role of Sulfhydryl Sites on Bacterial Cell Walls in the Biosorption, Mobility and Bioavaiability of Mercury", + "piLastName": "Myneni", + "piFirstName": "Satish", + "piInstitution": "The Trustees of Princeton University, Princeton, NJ", + "piEmail": "smyneni@Princeton.EDU", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Development of Surface Complexation Models of Cr(VI) Adsorption on Soils, Sediments and Model Mixtures of Kaolinite, Montmorillonite, G-Alumina, Hydrous....": { + "projectTitle": "Development of Surface Complexation Models of Cr(VI) Adsorption on Soils, Sediments and Model Mixtures of Kaolinite, Montmorillonite, G-Alumina, Hydrous....", + "piLastName": "Koretsky", + "piFirstName": "Carla", + "piInstitution": "Western Michigan University, Kalamazoo, MI", + "piEmail": "carla.koretsky@wmich.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Effects of Pore-Scale Physics on Uranium Geochemistry in Hanford Sediments": { + "projectTitle": "Effects of Pore-Scale Physics on Uranium Geochemistry in Hanford Sediments", + "piLastName": "Hu", + "piFirstName": "Qinhong", + "piInstitution": "The University of Texas at Arlington, Arlington, TX", + "piEmail": "maxhu@uta.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Molecular Mechanisms and Kinetics of Microbial, Anaerobic, Nitrate-Dependent U(IV) and Fe(II) Oxidation": { + "projectTitle": "Molecular Mechanisms and Kinetics of Microbial, Anaerobic, Nitrate-Dependent U(IV) and Fe(II) Oxidation", + "piLastName": "O'Day", + "piFirstName": "Peggy", + "piInstitution": "The Regents of the University of California, Merced, CA", + "piEmail": "poday@ucmerced.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Mineral Solubility and Free Energy Controls on Microbial Reaction Kinetics: Application to Contaminant Transport in the Subsurface": { + "projectTitle": "Mineral Solubility and Free Energy Controls on Microbial Reaction Kinetics: Application to Contaminant Transport in the Subsurface", + "piLastName": "Taillefert", + "piFirstName": "Martial", + "piInstitution": "Georgia Tech Research Corporation, Atlanta, GA", + "piEmail": "martial.taillefert@eas.gatech.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Development of U Isotope Fractionation as an Indicator of U(VI) Reduction in Uranium Plumes": { + "projectTitle": "Development of U Isotope Fractionation as an Indicator of U(VI) Reduction in Uranium Plumes", + "piLastName": "Lundstrom", + "piFirstName": "Craig", + "piInstitution": "Board of Trustees of the University of Illinois, Champaign, IL", + "piEmail": "lundstro@illinois.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Microbiological-Enhanced Mixing Across Scales During in Situ Bioreduction of Metals & Radionuclides at DOE Sites": { + "projectTitle": "Microbiological-Enhanced Mixing Across Scales During in Situ Bioreduction of Metals & Radionuclides at DOE Sites", + "piLastName": "Valocchi", + "piFirstName": "Albert", + "piInstitution": "Board of Trustees of the University of Illinois, Urbana, IL", + "piEmail": "valocchi@illinois.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Uranium and Strontium Fate in Waste-weathered Sediments: Scaling of Molecular Processes to Predict Reactive Transport": { + "projectTitle": "Uranium and Strontium Fate in Waste-weathered Sediments: Scaling of Molecular Processes to Predict Reactive Transport", + "piLastName": "Chorover", + "piFirstName": "Jon", + "piInstitution": "Arizona Board of Regents, The University of Arizona, Tucson, AZ", + "piEmail": "chorover@email.arizona.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "New; Title: Linking As, Se, V, and Mn Behavior to Natural and Biostimulated Uranium Cycling; PI: Brian J. Mailloux": { + "projectTitle": "New; Title: Linking As, Se, V, and Mn Behavior to Natural and Biostimulated Uranium Cycling; PI: Brian J. Mailloux", + "piLastName": "Mailloux", + "piFirstName": "Brian", + "piInstitution": "Barnard College, New York, NY", + "piEmail": "bmailloux@barnard.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Bacterial Nanowires and Extracellular Electron Transfer to Heavy Metals and Radionuclides by Bacterial Isolates from DOE Field Research Centers": { + "projectTitle": "Bacterial Nanowires and Extracellular Electron Transfer to Heavy Metals and Radionuclides by Bacterial Isolates from DOE Field Research Centers", + "piLastName": "Gorby", + "piFirstName": "Yuri", + "piInstitution": "UNIVERSITY OF SOUTHERN CALIFORNIA, LOS ANGELES, CA", + "piEmail": "ygorby@usc.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Biotic Controls on Uranium Sequestration and Release by Framboidal Pyrite in Bioreduced Sediments": { + "projectTitle": "Biotic Controls on Uranium Sequestration and Release by Framboidal Pyrite in Bioreduced Sediments", + "piLastName": "Hochella", + "piFirstName": "Michael", + "piInstitution": "Virginia Polytechnic Institute and State University, Blacksburg, VA", + "piEmail": "hochella@vt.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Fate of Uranium During Transport Across the Groundwater-Surface Water Interface": { + "projectTitle": "Fate of Uranium During Transport Across the Groundwater-Surface Water Interface", + "piLastName": "Jaffe", + "piFirstName": "Peter", + "piInstitution": "The Trustees of Princeton University, Princeton, NJ", + "piEmail": "jaffe@Princeton.EDU", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Nanoscale Mercury Sulfide-Organic Matter Interactions and Implications for Solubility and Biomethylation": { + "projectTitle": "Nanoscale Mercury Sulfide-Organic Matter Interactions and Implications for Solubility and Biomethylation", + "piLastName": "Hsu-Kim", + "piFirstName": "Heileen", + "piInstitution": "Duke University, Durham, NC", + "piEmail": "hsukim@duke.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Linking Deposit Morphology and Clogging in Subsurface Remediation": { + "projectTitle": "Linking Deposit Morphology and Clogging in Subsurface Remediation", + "piLastName": "Mays", + "piFirstName": "David", + "piInstitution": "University of Colorado at Denver and Health Sciences Center, Aurora, CO", + "piEmail": "david.mays@ucdenver.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Integrated Geophysical Measurements for Bioremediation Monitoring: Combining Spectral Induced Polarization, Nuclear Magnetic Resonance and Magnetic Methods": { + "projectTitle": "Integrated Geophysical Measurements for Bioremediation Monitoring: Combining Spectral Induced Polarization, Nuclear Magnetic Resonance and Magnetic Methods", + "piLastName": "Keating", + "piFirstName": "Kristina", + "piInstitution": "Rutgers - State University of New Jersey, Newark, Newark, NJ", + "piEmail": "kmkeat@newark.rutgers.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Scaling Effects of Cr(VI) Reduction Kinetics: The Role of Geochemical Heterogeneity": { + "projectTitle": "Scaling Effects of Cr(VI) Reduction Kinetics: The Role of Geochemical Heterogeneity", + "piLastName": "Li", + "piFirstName": "Li", + "piInstitution": "The Pennsylvania State University, University Park, PA", + "piEmail": "lxl35@psu.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Uranium and Strontium Fate in Waste-Weathered Sediments: Scaling of Molecular Processes to Predict Reactive Transport": { + "projectTitle": "Uranium and Strontium Fate in Waste-Weathered Sediments: Scaling of Molecular Processes to Predict Reactive Transport", + "piLastName": "O'Day", + "piFirstName": "Peggy", + "piInstitution": "The Regents of the University of California, Merced, CA", + "piEmail": "poday@ucmerced.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Induced Polarization Signature of Biofilms in Porous Media: From Laboratory Experiments to Theoretical Developments and Validation": { + "projectTitle": "Induced Polarization Signature of Biofilms in Porous Media: From Laboratory Experiments to Theoretical Developments and Validation", + "piLastName": "Atekwana", + "piFirstName": "Estella", + "piInstitution": "Oklahoma State University, Stillwater, OK", + "piEmail": "estella.atekwana@okstate.edu", + "sponsorProgram": "SBR", + "type": null, + "shortName": null + }, + "Simulating estuarine wetland function: Nitrogen removal, carbon sequestration, and greenhouse gas fluxes at the river-land-ocean interface": { + "projectTitle": "Simulating estuarine wetland function: Nitrogen removal, carbon sequestration, and greenhouse gas fluxes at the river-land-ocean interface", + "piLastName": "Sulman", + "piFirstName": "Benjamin", + "piInstitution": "Oak Ridge Naitonal Laboratory", + "piEmail": "sulmanbn@ornl.gov", + "sponsorProgram": "RGMA", + "type": "Early Career Award", + "shortName": null + }, + "Interdisciplinary Research for Arctic Coastal Environments (InteRFACE) ": { + "projectTitle": "Interdisciplinary Research for Arctic Coastal Environments (InteRFACE) ", + "piLastName": "Rowland", + "piFirstName": "Joel", + "piInstitution": "Los Alamos National Laboratory", + "piEmail": "jrowland@lanl.gov", + "sponsorProgram": "Earth System Modeling (Regional and Global Model Analysis, Earth System Model Development, Multisector Dynamics), Data Management ", + "type": null, + "shortName": "InteRFACE" + }, + "Defense Coastal/Estuarine Research Program (DCERP)": { + "projectTitle": "Defense Coastal/Estuarine Research Program (DCERP)", + "piLastName": "SERDP ESTCP", + "piFirstName": null, + "piInstitution": "Marine Corps Base Camp Lejeune in North Carolina", + "piEmail": "serdp-estcp@noblis.org", + "sponsorProgram": "SERDP", + "type": null, + "shortName": null + }, + "Lifetime of Excess Atmospheric Carbon Dioxide: An Observationally Based Top-down Approach": { + "projectTitle": "Lifetime of Excess Atmospheric Carbon Dioxide: An Observationally Based Top-down Approach", + "piLastName": "Schwartz", + "piFirstName": "Stephen ", + "piInstitution": "Brookhaven National Laboratory", + "piEmail": "ses@bnl.gov", + "sponsorProgram": "LDRD at BNL (Program Development). No fund source, IP/licensing conflicts", + "type": null, + "shortName": null + }, + "HiLAT-RASM project": { + "projectTitle": "HiLAT-RASM project", + "piLastName": "Weijer", + "piFirstName": "Wilbert", + "piInstitution": "Los Alamos National Lab", + "piEmail": "wilbert@lanl.gov", + "sponsorProgram": "DOE BER RGMA", + "type": null, + "shortName": null + }, + "Radionuclide Waste Disposal: Development of Multi-scale Experimental and Modeling Capabilities": { + "projectTitle": "Radionuclide Waste Disposal: Development of Multi-scale Experimental and Modeling Capabilities", + "piLastName": "Powell", + "piFirstName": "Brian", + "piInstitution": null, + "piEmail": "bpowell@clemson.edu", + "sponsorProgram": "DOE EPSCoR ", + "type": null, + "shortName": null + }, + "Dust as an ecosystem driver: determining the ecosystem consequences of cross-system subsidies of nutrients and microorganisms in dust. Leveraging the NADP network to fill critical dust deposition data and knowledge gaps": { + "projectTitle": "Dust as an ecosystem driver: determining the ecosystem consequences of cross-system subsidies of nutrients and microorganisms in dust. Leveraging the NADP network to fill critical dust deposition data and knowledge gaps", + "piLastName": "Brahney", + "piFirstName": "Janice", + "piInstitution": "Utah State University", + "piEmail": "janice.brahney@usu.edu", + "sponsorProgram": "NSF", + "type": null, + "shortName": null + }, + "Environmental Systems Science Data Infrastructure for a Virtual Ecosystem (ESS-DIVE)": { + "projectTitle": "Environmental Systems Science Data Infrastructure for a Virtual Ecosystem (ESS-DIVE)", + "piLastName": "Agarwal", + "piFirstName": "Deborah", + "piInstitution": "Lawrence Berkeley National Lab", + "piEmail": "daagarwal@lbl.gov", + "sponsorProgram": "EESSD Data Management", + "type": null, + "shortName": "ESS-DIVE" + }, + "ExaSheds": { + "projectTitle": "ExaSheds", + "piLastName": "Steefel", + "piFirstName": "Carl", + "piInstitution": "Lawrence Berkeley National Laboratory", + "piEmail": "CISteefel@lbl.gov", + "sponsorProgram": "BER-CESD ESS", + "type": null, + "shortName": null + }, + "Carbon Dioxide Information Analysis Center (CDIAC)": { + "projectTitle": "Carbon Dioxide Information Analysis Center (CDIAC)", + "piLastName": "Boden", + "piFirstName": "Thomas", + "piInstitution": "Oak Ridge National Laboratory", + "piEmail": "bodenta@ornl.gov", + "sponsorProgram": "BER", + "type": null, + "shortName": "CDIAC" + }, + "Carbon Dioxide Information Analysis Center at AppState (CDIAC-FF)": { + "projectTitle": "Carbon Dioxide Information Analysis Center at AppState (CDIAC-FF)", + "piLastName": "Gilfillan\nMarland", + "piFirstName": "Dennis\nGreg", + "piInstitution": "Appalachian State University\nAppalachian State University", + "piEmail": "gilfillanda@appstate.edu\nmarlandg@appstate.edu", + "sponsorProgram": "CDIAC", + "type": null, + "shortName": "CDAIC-FF" + }, + "The Role of Pyrophilous Microbes in the Breakdown and Sequestration of Pyrogenic Organic Matter": { + "projectTitle": "The Role of Pyrophilous Microbes in the Breakdown and Sequestration of Pyrogenic Organic Matter", + "piLastName": "Whitman", + "piFirstName": "Thea", + "piInstitution": "University of Wisconsin, Madison", + "piEmail": "twhitman@wisc.edu", + "sponsorProgram": "BSSD", + "type": null, + "shortName": null + }, + "Can microbial functional traits predict the response and resilience of decomposition to global change?": { + "projectTitle": "Can microbial functional traits predict the response and resilience of decomposition to global change?", + "piLastName": "Allison", + "piFirstName": "Steven", + "piInstitution": "University of California Irvine", + "piEmail": "allisons@uci.edu", + "sponsorProgram": "BSSD, Environmental Microbiomes", + "type": null, + "shortName": null + }, + "Microbial carbon transformations in wet tropical soils: the importance of redox fluctuations": { + "projectTitle": "Microbial carbon transformations in wet tropical soils: the importance of redox fluctuations", + "piLastName": "Pett-Ridge", + "piFirstName": "Jennifer", + "piInstitution": "Lawrence Livermore National Laboratory", + "piEmail": "pettridge2@llnl.gov", + "sponsorProgram": "OBER BSSD", + "type": "Early Career Award", + "shortName": null + }, + "A Global, High-Resolution River Network Model for Improved Flood Risk Prediction": { + "projectTitle": "A Global, High-Resolution River Network Model for Improved Flood Risk Prediction", + "piLastName": "Schwenk", + "piFirstName": "Jon", + "piInstitution": "Los Alamos National Laboratory", + "piEmail": "jschwenk@lanl.gov", + "sponsorProgram": "LDRD ER", + "type": null, + "shortName": null + }, + "Microbial environmental feedbacks and the evolution of soil organic matter": { + "projectTitle": "Microbial environmental feedbacks and the evolution of soil organic matter", + "piLastName": "Bouskill", + "piFirstName": "Nicholas", + "piInstitution": "Lawrence Berkeley National Laboratory", + "piEmail": "njbouskill@lbl.gov", + "sponsorProgram": "BSSD", + "type": "Early Career Award", + "shortName": null + }, + "Early Career Research Program: Watershed Perturbation-Response Traits Derived Through Ecological Theory - Worldwide Hydrobiogeochemistry Observation Network for Dynamic River Systems (WHONDRS)": { + "projectTitle": "Early Career Research Program: Watershed Perturbation-Response Traits Derived Through Ecological Theory - Worldwide Hydrobiogeochemistry Observation Network for Dynamic River Systems (WHONDRS)", + "piLastName": "Stegen", + "piFirstName": "James", + "piInstitution": "Pacific Northwest National Laboratory", + "piEmail": "james.stegen@pnnl.gov", + "sponsorProgram": "Early Career Research Program", + "type": "Early Career Award", + "shortName": "WHONDRS" + }, + "Persistent Monitoring Of Dissolved Oxygen For Investigations Of Biogeochemical Cycles Across The Terrestrial-Aquatic Ecosystem Interface\n": { + "projectTitle": "Persistent Monitoring Of Dissolved Oxygen For Investigations Of Biogeochemical Cycles Across The Terrestrial-Aquatic Ecosystem Interface\n", + "piLastName": "Ghosh", + "piFirstName": "Ruby", + "piInstitution": "Opti O2, LLC", + "piEmail": "ghosh@optio2.com", + "sponsorProgram": "SBIR", + "type": "Grant", + "shortName": null + }, + "Real-Time Dissolved Oxygen Monitoring For Understanding Biogeochemical Processes At The Columbia River Hanford Reach And East River Floodplain\n": { + "projectTitle": "Real-Time Dissolved Oxygen Monitoring For Understanding Biogeochemical Processes At The Columbia River Hanford Reach And East River Floodplain\n", + "piLastName": "Ghosh", + "piFirstName": "Ruby", + "piInstitution": "Opti O2, LLC", + "piEmail": "ghosh@optio2.com", + "sponsorProgram": "SBIR", + "type": "Grant", + "shortName": null + }, + "Dissolved Oxygen Probe System For Real-Time, In-Situ Subsurface Monitoring": { + "projectTitle": "Dissolved Oxygen Probe System For Real-Time, In-Situ Subsurface Monitoring", + "piLastName": "Ghosh", + "piFirstName": "Ruby", + "piInstitution": "Opti O2, LLC", + "piEmail": "ghosh@optio2.com", + "sponsorProgram": "SBIR", + "type": "Grant", + "shortName": null + }, + "Linking Nutrient Reactivity and Transport in Subsurface Flowpaths Along a Terrestrial-Estuarine Continuum": { + "projectTitle": "Linking Nutrient Reactivity and Transport in Subsurface Flowpaths Along a Terrestrial-Estuarine Continuum", + "piLastName": "Zimmer", + "piFirstName": "Margaret", + "piInstitution": "The Regents of the University of California, Santa Cruz, CA", + "piEmail": "mzimmer1@ucsc.edu", + "sponsorProgram": "ESS", + "type": "Grant", + "shortName": null + }, + "INdiana Acclimation of Trees to Water stress Experiment (INATWE)": { + "projectTitle": "INdiana Acclimation of Trees to Water stress Experiment (INATWE)", + "piLastName": "Dukes", + "piFirstName": "Jeffrey", + "piInstitution": "Purdue University, West Lafayette, IN", + "piEmail": "jsdukes@purdue.edu", + "sponsorProgram": "ESS", + "type": null, + "shortName": "INATWE" + }, + "Advanced Global Atmospheric Gases Experiment (AGAGE)": { + "projectTitle": "Advanced Global Atmospheric Gases Experiment (AGAGE)", + "piLastName": "Prinn\nWeiss", + "piFirstName": "Ronald G.\nRay F.", + "piInstitution": "Massachusetts Institute of Technology\nScripps Institution of Oceanography ", + "piEmail": "rprinn@mit.edu\nrfweiss@ucsd.edu", + "sponsorProgram": null, + "type": null, + "shortName": "AGAGE" + }, + "Investigating the Impacts of Streamflow Disturbances on Water Quality using a Data-driven Framework (iNAIADS)": { + "projectTitle": "Investigating the Impacts of Streamflow Disturbances on Water Quality using a Data-driven Framework (iNAIADS)", + "piLastName": "Varadharajan", + "piFirstName": "Charuleka", + "piInstitution": "Lawrence Berkeley National Laboratory", + "piEmail": "cvaradarajan@lbl.gov", + "sponsorProgram": "ECRP", + "type": null, + "shortName": "iNAIADS" + } +} From b7435cd9d0cb692475171811d7537e157902a131 Mon Sep 17 00:00:00 2001 From: gothub Date: Thu, 24 Feb 2022 11:29:09 -0800 Subject: [PATCH 36/36] Minor changes for ESS-DIVE 1.1.0 suite Issue #423 --- build.properties | 5 +++-- src/checks/metadata.identifier.resolvable-1.1.0.xml | 4 ++-- src/checks/resource.URLs.resolvable-1.0.0.xml | 12 +++++++++--- 3 files changed, 14 insertions(+), 7 deletions(-) diff --git a/build.properties b/build.properties index 2225d7f..f083003 100644 --- a/build.properties +++ b/build.properties @@ -1,7 +1,7 @@ # Ant build properties files for the metadig-checks build # MetaDIG checks version -metadig-checks.version=0.2.6 +metadig-checks.version=0.4.0 build=build dist=dist @@ -12,4 +12,5 @@ data=data stagescript=stageFiles.py # The suites to include in the distribution tar file #suites=arctic-data-center.xml,ess-dive.xml,FAIR-suite.xml,knb-suite.xml -suites=FAIR-suite.xml +#suites=FAIR-suite.xml +suites=ess-dive-1.1.0.xml diff --git a/src/checks/metadata.identifier.resolvable-1.1.0.xml b/src/checks/metadata.identifier.resolvable-1.1.0.xml index 9d7a444..602bcea 100644 --- a/src/checks/metadata.identifier.resolvable-1.1.0.xml +++ b/src/checks/metadata.identifier.resolvable-1.1.0.xml @@ -69,8 +69,8 @@ def call(): else: # If the URL is unresolvable because it is private, and it is a DataONE identifier, then this # special case will pass. Print an appropriate messge explaining this. - isPrivate = re.search("unauthorized", str.lower()) - if(isPrivate && useD1): + isPrivate = re.search("unauthorized", msg.lower()) + if(isPrivate and usedD1): output = u'{} and is resolvable using the DataONE resolve service, but is not publicly readable'.format(output) status = "SUCCESS" else: diff --git a/src/checks/resource.URLs.resolvable-1.0.0.xml b/src/checks/resource.URLs.resolvable-1.0.0.xml index 583ad46..127c19c 100644 --- a/src/checks/resource.URLs.resolvable-1.0.0.xml +++ b/src/checks/resource.URLs.resolvable-1.0.0.xml @@ -48,14 +48,20 @@ def call(): # a single string. if(isinstance(textFields, list)): textFields = ' '.join(textFields) - + + # If the text spans multiple lines, convert line breaks to spaces + textFields = textFields.replace('\n', ' ') + textFields = textFields.replace('\r', ' ') + # Convert separater characters to spaces to assist parsing + textFields = textFields.replace(",", " ") + textFields = textFields.replace(";", " ") + # Tokenize the string and extract possible URLs textTokens = textFields.split(' ') + for token in textTokens: token = token.strip() token = token.strip('.') - token = token.strip(',') - token = token.strip(';') token = token.strip('(') token = token.strip(')') if(re.match(".*http.*:\/\/", token.strip())):