From faff760ab2ecf72e53073502ce515f2c09384549 Mon Sep 17 00:00:00 2001 From: Paul Kruse Date: Wed, 28 Aug 2024 16:23:35 -0400 Subject: [PATCH 01/15] Added function export. --- NAMESPACE | 1 + 1 file changed, 1 insertion(+) diff --git a/NAMESPACE b/NAMESPACE index 20a4328..98a124f 100644 --- a/NAMESPACE +++ b/NAMESPACE @@ -1,6 +1,7 @@ # Generated by roxygen2: do not edit by hand S3method(print,ctx_credentials) +export(check_existence_by_dtxsid) export(chemical_contains) export(chemical_contains_batch) export(chemical_equal) From 8782f6187b373ffb638a294acefed072b7f4f2c6 Mon Sep 17 00:00:00 2001 From: Paul Kruse Date: Wed, 28 Aug 2024 16:23:55 -0400 Subject: [PATCH 02/15] Added new function `check_existence_by_dtxsid()`. --- R/chemical-APIs.R | 62 +++++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 62 insertions(+) diff --git a/R/chemical-APIs.R b/R/chemical-APIs.R index 0a9e138..09b05d9 100644 --- a/R/chemical-APIs.R +++ b/R/chemical-APIs.R @@ -279,6 +279,68 @@ create_data.table_chemical_details <- function(index = -1){ return(data) } +#' Check existence by DTXSID +#' +#' @param DTXSID The chemical identifier DTXSID +#' @param API_key The user-specific API key +#' @param Server The root address for the API endpoint +#' @param verbose A logical indicating whether some "progress report" should be +#' given. +#' +#' @return A data.table with information on whether the input DTXSID is valid, +#' and where to find more information on the chemical when the DTXSID is valid. +#' @export +#' +#' @examplesIf FALSE +#' # DTXSID for bpa +#' bpa <- check_existence_by_dtxsid('DTXSID7020182') +#' # False DTXSID +#' false_res <- check_existence_by_Dtxsid('DTXSID7020182f') + +check_existence_by_dtxsid <- function(DTXSID = NULL, + API_key = NULL, + Server = chemical_api_server, + verbose = FALSE){ + if (is.null(DTXSID) | !is.character(DTXSID)){ + stop('Please input a DTXSID!') + } + + if (is.null(API_key)){ + if (has_ctx_key()) { + API_key <- ctx_key() + message('Using stored API key!') + } + } + + response <- httr::GET(url = paste0(Server, '/ghslink/to-dtxsid/', DTXSID), + httr::add_headers(.headers = c( + 'Content-Type' = 'application/json', + 'x-api-key' = API_key) + ) + ) + + if(response$status_code == 401){ + stop('Please input an API_key!') + } + if(response$status_code == 200){ + res_content <- jsonlite::fromJSON(httr::content(response, + as = 'text', + encoding = "UTF-8")) + if (is.null(res_content$safetyUrl)){ + res_content$safetyUrl <- NA_character_ + } + res <- data.table::rbindlist(list(res_content)) + return(res) + } else { + if (verbose){ + print(paste0('The request was unsuccessful, returning an error of ', response$status_code, '!')) + } + } + return() + + +} + get_chemical_details_by_listname <- function(listname = NULL, API_key = NULL, Server = chemical_api_server, From 78ae24c899f61b11e6df1dd9e4884237346951b4 Mon Sep 17 00:00:00 2001 From: Paul Kruse Date: Wed, 28 Aug 2024 16:24:04 -0400 Subject: [PATCH 03/15] Initial commit. --- man/check_existence_by_dtxsid.Rd | 38 ++++++++++++++++++++++++++++++++ 1 file changed, 38 insertions(+) create mode 100644 man/check_existence_by_dtxsid.Rd diff --git a/man/check_existence_by_dtxsid.Rd b/man/check_existence_by_dtxsid.Rd new file mode 100644 index 0000000..84f682f --- /dev/null +++ b/man/check_existence_by_dtxsid.Rd @@ -0,0 +1,38 @@ +% Generated by roxygen2: do not edit by hand +% Please edit documentation in R/chemical-APIs.R +\name{check_existence_by_dtxsid} +\alias{check_existence_by_dtxsid} +\title{Check existence by DTXSID} +\usage{ +check_existence_by_dtxsid( + DTXSID = NULL, + API_key = NULL, + Server = chemical_api_server, + verbose = FALSE +) +} +\arguments{ +\item{DTXSID}{The chemical identifier DTXSID} + +\item{API_key}{The user-specific API key} + +\item{Server}{The root address for the API endpoint} + +\item{verbose}{A logical indicating whether some "progress report" should be +given.} +} +\value{ +A data.table with information on whether the input DTXSID is valid, +and where to find more information on the chemical when the DTXSID is valid. +} +\description{ +Check existence by DTXSID +} +\examples{ +\dontshow{if (FALSE) (if (getRversion() >= "3.4") withAutoprint else force)(\{ # examplesIf} +# DTXSID for bpa +bpa <- check_existence_by_dtxsid('DTXSID7020182') +# False DTXSID +false_res <- check_existence_by_Dtxsid('DTXSID7020182f') +\dontshow{\}) # examplesIf} +} From 38a2679e2af12dd96c68e86955b1de8156c8641d Mon Sep 17 00:00:00 2001 From: Paul Kruse Date: Wed, 28 Aug 2024 16:24:24 -0400 Subject: [PATCH 04/15] Added tests for function `check_existence_by_dtxsid()`. --- tests/testthat/test-chemical-APIs.R | 3 +++ 1 file changed, 3 insertions(+) diff --git a/tests/testthat/test-chemical-APIs.R b/tests/testthat/test-chemical-APIs.R index 7366756..e2ac32a 100644 --- a/tests/testthat/test-chemical-APIs.R +++ b/tests/testthat/test-chemical-APIs.R @@ -34,6 +34,7 @@ with_mock_dir("chemical",{ test_that("catch missing DTXSID/DTXCID", { expect_error(get_chemical_details(), 'Please input a DTXSID or DTXCID!') + expect_error(check_existence_by_dtxsid(), 'Please input a DTXSID!') expect_error(get_chem_info(), 'Please input a DTXSID!') expect_error(get_fate_by_dtxsid(), 'Please input a DTXSID!') expect_error(get_msready_by_dtxcid(), 'Please input a non-null value for DTXCID!') @@ -111,6 +112,8 @@ test_that('Return data type', { expect_type(get_chemical_details(DTXSID = 'DTXSID7020182', API_key = ctx_key()), 'list') expect_type(get_chemical_details(DTXCID = 'DTXCID30182'), 'list') expect_type(get_chemical_details(DTXSID = '', API_key = ctx_key()), 'NULL') + expect_type(check_existence_by_dtxsid(DTXSID = 'DTXSID7020182', API_key = ctx_key()), 'list') + expect_type(check_existence_by_dtxsid(DTXSID = '', API_key = ctx_key()), 'NULL') #expect_type(get_chemical_details(DTXSID = 'DTXSID7020182', API_key = ''), 'NULL') #expect_type(get_chemical_by_property_range(start = 99.8, end = 100.2, property = 'boiling point', API_key = ctx_key()), 'list') #expect_type(get_chemical_by_property_range(start = 99.8, end = 100.2, property = 'nonsense', API_key = ctx_key()), 'NULL') From 323be1f16f3c644b72b802ecc4a491cd46634eb8 Mon Sep 17 00:00:00 2001 From: Paul Kruse Date: Wed, 28 Aug 2024 16:26:37 -0400 Subject: [PATCH 05/15] Reran test to record new responses. --- .../search/by-dtxcid/DTXCID30182-9e51f1.json | 2 +- ...json => by-dtxsid-9e51f1-355bc3-POST.json} | 200 +- .../chemical/detail/search/by-dtxsid-9e51f1.R | 24 +- .../by-dtxsid/DTXSID7020182-975bf8.json | 10 +- .../by-dtxsid/DTXSID7020182-9e51f1.json | 2 +- .../chemical/chemical/fate/search/by-dtxsid.R | 24 +- .../fate/search/by-dtxsid/DTXSID7020182.json | 132 +- .../search/by-dtxcid/DTXCID30182-ac797a.R | 24 +- .../file/image/search/by-dtxsid-85b7e8.R | 24 +- .../image/search/by-dtxsid/DTXSID7020182.R | 24 +- .../chemical/file/mol/search/by-dtxsid.R | 24 +- .../chemical/file/mrv/search/by-dtxsid.R | 24 +- tests/testthat/chemical/chemical/list.json | 2042 +++---- .../chemical/chemical/list/search/by-dtxsid.R | 24 +- .../list/search/by-dtxsid/DTXSID7020182.json | 33 + .../chemical/list/search/by-name-8b6df7.R | 24 +- .../chemical/chemical/list/search/by-name.R | 24 +- .../list/search/by-name/Biosolids2021.json | 2 +- .../list/search/by-name/CCL4-8b6df7.json | 4 +- .../chemical/list/search/by-name/federal.R | 24 +- .../chemical/chemical/list/search/by-type.R | 24 +- .../chemical/list/search/by-type/federal.json | 674 +-- .../chemical/msready/search/by-dtxcid.R | 24 +- .../chemical/msready/search/by-formula.R | 24 +- .../chemical/property/search/by-dtxsid.R | 24 +- .../by-dtxsid/DTXSID7020182-f7c7b7.json | 192 +- .../search/by-dtxsid/DTXSID7020182.json | 258 +- .../search/contain/Bisphenol%20A.json | 5240 ++++++++--------- .../chemical/search/contain/gvfdsr7.R | 22 +- .../chemical/search/equal/Bisphenol%20A.json | 2 +- .../chemical/chemical/search/equal/gvfds.R | 24 +- .../chemical/chemical/search/start-with.R | 22 +- .../search/start-with/DTXSID7020182.json | 2 +- .../chemical/synonym/search/by-dtxsid.R | 51 +- .../search/by-dtxsid/DTXSID7020182.json | 90 +- 35 files changed, 4716 insertions(+), 4648 deletions(-) rename tests/testthat/chemical/chemical/detail/search/{by-dtxsid-9e51f1-67ad88-POST.json => by-dtxsid-9e51f1-355bc3-POST.json} (100%) diff --git a/tests/testthat/chemical/chemical/detail/search/by-dtxcid/DTXCID30182-9e51f1.json b/tests/testthat/chemical/chemical/detail/search/by-dtxcid/DTXCID30182-9e51f1.json index e152ee0..bc1e14b 100644 --- a/tests/testthat/chemical/chemical/detail/search/by-dtxcid/DTXCID30182-9e51f1.json +++ b/tests/testthat/chemical/chemical/detail/search/by-dtxcid/DTXCID30182-9e51f1.json @@ -2,6 +2,7 @@ "id": "337693", "inchikey": "IISBACLAFKSPIT-UHFFFAOYSA-N", "wikipediaArticle": "Bisphenol A", + "cpdataCount": 292, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", "casrn": "80-05-7", @@ -12,7 +13,6 @@ "molFormula": "C15H16O2", "monoisotopicMass": 228.115029755, "percentAssays": 23.0, - "cpdataCount": 292, "pubchemCount": 212, "pubmedCount": 3850.0, "sourcesCount": 146, diff --git a/tests/testthat/chemical/chemical/detail/search/by-dtxsid-9e51f1-67ad88-POST.json b/tests/testthat/chemical/chemical/detail/search/by-dtxsid-9e51f1-355bc3-POST.json similarity index 100% rename from tests/testthat/chemical/chemical/detail/search/by-dtxsid-9e51f1-67ad88-POST.json rename to tests/testthat/chemical/chemical/detail/search/by-dtxsid-9e51f1-355bc3-POST.json index abb8bb1..53a70d8 100644 --- a/tests/testthat/chemical/chemical/detail/search/by-dtxsid-9e51f1-67ad88-POST.json +++ b/tests/testthat/chemical/chemical/detail/search/by-dtxsid-9e51f1-355bc3-POST.json @@ -3,6 +3,7 @@ "id": "627129", "inchikey": null, "wikipediaArticle": null, + "cpdataCount": null, "dtxsid": "DTXSID001024118", "dtxcid": null, "casrn": "77238-39-2", @@ -13,7 +14,6 @@ "molFormula": null, "monoisotopicMass": null, "percentAssays": null, - "cpdataCount": null, "pubchemCount": null, "pubmedCount": null, "sourcesCount": 8, @@ -42,6 +42,7 @@ "id": "1037170", "inchikey": "KCXMKQUNVWSEMD-UHFFFAOYSA-N", "wikipediaArticle": "Benzyl chloride", + "cpdataCount": 4, "dtxsid": "DTXSID0020153", "dtxcid": "DTXCID00153", "casrn": "100-44-7", @@ -52,7 +53,6 @@ "molFormula": "C7H7Cl", "monoisotopicMass": 126.0236279, "percentAssays": 0.0, - "cpdataCount": 4, "pubchemCount": 160, "pubmedCount": 131.0, "sourcesCount": 104, @@ -81,6 +81,7 @@ "id": "552395", "inchikey": "XMTQQYYKAHVGBJ-UHFFFAOYSA-N", "wikipediaArticle": "DCMU", + "cpdataCount": 51, "dtxsid": "DTXSID0020446", "dtxcid": "DTXCID00446", "casrn": "330-54-1", @@ -91,7 +92,6 @@ "molFormula": "C9H10Cl2N2O", "monoisotopicMass": 232.0170184, "percentAssays": 12.0, - "cpdataCount": 51, "pubchemCount": 165, "pubmedCount": 1257.0, "sourcesCount": 146, @@ -120,6 +120,7 @@ "id": "621038", "inchikey": "VOXZDWNPVJITMN-ZBRFXRBCSA-N", "wikipediaArticle": "Estradiol", + "cpdataCount": 7, "dtxsid": "DTXSID0020573", "dtxcid": "DTXCID80573", "casrn": "50-28-2", @@ -130,7 +131,6 @@ "molFormula": "C18H24O2", "monoisotopicMass": 272.177630013, "percentAssays": 29.0, - "cpdataCount": 7, "pubchemCount": 428, "pubmedCount": 81966.0, "sourcesCount": 102, @@ -159,6 +159,7 @@ "id": "535732", "inchikey": "IAYPIBMASNFSPL-UHFFFAOYSA-N", "wikipediaArticle": "Ethylene oxide", + "cpdataCount": 383, "dtxsid": "DTXSID0020600", "dtxcid": "DTXCID60600", "casrn": "75-21-8", @@ -169,7 +170,6 @@ "molFormula": "C2H4O", "monoisotopicMass": 44.026214749, "percentAssays": null, - "cpdataCount": 383, "pubchemCount": 174, "pubmedCount": 2732.0, "sourcesCount": 104, @@ -198,6 +198,7 @@ "id": "137511", "inchikey": "IMSSROKUHAOUJS-MJCUULBUSA-N", "wikipediaArticle": "Mestranol", + "cpdataCount": null, "dtxsid": "DTXSID0020814", "dtxcid": "DTXCID20814", "casrn": "72-33-3", @@ -208,7 +209,6 @@ "molFormula": "C21H26O2", "monoisotopicMass": 310.193280077, "percentAssays": 25.0, - "cpdataCount": null, "pubchemCount": 141, "pubmedCount": 2460.0, "sourcesCount": 69, @@ -237,6 +237,7 @@ "id": "1145205", "inchikey": "DUBNHZYBDBBJHD-UHFFFAOYSA-L", "wikipediaArticle": "Ziram", + "cpdataCount": 56, "dtxsid": "DTXSID0021464", "dtxcid": "DTXCID301464", "casrn": "137-30-4", @@ -247,7 +248,6 @@ "molFormula": "C6H12N2S4Zn", "monoisotopicMass": 303.917475, "percentAssays": 58.0, - "cpdataCount": 56, "pubchemCount": 22, "pubmedCount": 80.0, "sourcesCount": 89, @@ -276,6 +276,7 @@ "id": "1405517", "inchikey": "NEHMKBQYUWJMIP-UHFFFAOYSA-N", "wikipediaArticle": "Chloromethane", + "cpdataCount": 49, "dtxsid": "DTXSID0021541", "dtxcid": "DTXCID701541", "casrn": "74-87-3", @@ -286,7 +287,6 @@ "molFormula": "CH3Cl", "monoisotopicMass": 49.9923278, "percentAssays": null, - "cpdataCount": 49, "pubchemCount": 105, "pubmedCount": 429.0, "sourcesCount": 107, @@ -315,6 +315,7 @@ "id": "1688252", "inchikey": "VLKZOEOYAKHREP-UHFFFAOYSA-N", "wikipediaArticle": "Hexane", + "cpdataCount": 3139, "dtxsid": "DTXSID0021917", "dtxcid": "DTXCID001917", "casrn": "110-54-3", @@ -325,7 +326,6 @@ "molFormula": "C6H14", "monoisotopicMass": 86.1095504508, "percentAssays": 0.0, - "cpdataCount": 3139, "pubchemCount": 1275, "pubmedCount": 1005.0, "sourcesCount": 121, @@ -354,6 +354,7 @@ "id": "1533693", "inchikey": "PHVNLLCAQHGNKU-UHFFFAOYSA-N", "wikipediaArticle": null, + "cpdataCount": null, "dtxsid": "DTXSID0024052", "dtxcid": "DTXCID704052", "casrn": "55290-64-7", @@ -364,7 +365,6 @@ "molFormula": "C6H10O4S2", "monoisotopicMass": 210.00205115, "percentAssays": 15.0, - "cpdataCount": null, "pubchemCount": 62, "pubmedCount": null, "sourcesCount": 61, @@ -393,6 +393,7 @@ "id": "1343397", "inchikey": null, "wikipediaArticle": "Toluene diisocyanate", + "cpdataCount": 189, "dtxsid": "DTXSID0024341", "dtxcid": "DTXCID001513157", "casrn": "26471-62-5", @@ -403,7 +404,6 @@ "molFormula": "C9H6N2O2", "monoisotopicMass": 174.042927441, "percentAssays": 4.0, - "cpdataCount": 189, "pubchemCount": null, "pubmedCount": 848.0, "sourcesCount": 68, @@ -432,6 +432,7 @@ "id": "1166856", "inchikey": "XDOTVMNBCQVZKG-UHFFFAOYSA-N", "wikipediaArticle": null, + "cpdataCount": null, "dtxsid": "DTXSID0032578", "dtxcid": "DTXCID50810232", "casrn": "59669-26-0", @@ -442,7 +443,6 @@ "molFormula": "C10H18N4O4S3", "monoisotopicMass": 354.049018598, "percentAssays": 25.0, - "cpdataCount": null, "pubchemCount": 35, "pubmedCount": 17.0, "sourcesCount": 80, @@ -471,6 +471,7 @@ "id": "577791", "inchikey": "SCYULBFZEHDVBN-UHFFFAOYSA-N", "wikipediaArticle": "1,1-Dichloroethane", + "cpdataCount": 37, "dtxsid": "DTXSID1020437", "dtxcid": "DTXCID10437", "casrn": "75-34-3", @@ -481,7 +482,6 @@ "molFormula": "C2H4Cl2", "monoisotopicMass": 97.9690055, "percentAssays": 0.0, - "cpdataCount": 37, "pubchemCount": 219, "pubmedCount": 23.0, "sourcesCount": 101, @@ -510,6 +510,7 @@ "id": "484558", "inchikey": "SNIOPGDIGTZGOP-UHFFFAOYSA-N", "wikipediaArticle": "Nitroglycerin (drug)", + "cpdataCount": 211, "dtxsid": "DTXSID1021407", "dtxcid": "DTXCID701407", "casrn": "55-63-0", @@ -520,7 +521,6 @@ "molFormula": "C3H5N3O9", "monoisotopicMass": 227.002578753, "percentAssays": null, - "cpdataCount": 211, "pubchemCount": 90, "pubmedCount": 11865.0, "sourcesCount": 81, @@ -549,6 +549,7 @@ "id": "875103", "inchikey": "BFWMWWXRWVJXSE-UHFFFAOYSA-M", "wikipediaArticle": "Triphenyltin hydroxide", + "cpdataCount": null, "dtxsid": "DTXSID1021409", "dtxcid": "DTXCID501409", "casrn": "76-87-9", @@ -559,7 +560,6 @@ "molFormula": "C18H16OSn", "monoisotopicMass": 368.022317, "percentAssays": 57.0, - "cpdataCount": null, "pubchemCount": 57, "pubmedCount": 24.0, "sourcesCount": 84, @@ -588,6 +588,7 @@ "id": "1656739", "inchikey": "LRHPLDYGYMQRHN-UHFFFAOYSA-N", "wikipediaArticle": "N-Butanol", + "cpdataCount": 4817, "dtxsid": "DTXSID1021740", "dtxcid": "DTXCID701740", "casrn": "71-36-3", @@ -598,7 +599,6 @@ "molFormula": "C4H10O", "monoisotopicMass": 74.073164942, "percentAssays": 0.0, - "cpdataCount": 4817, "pubchemCount": 514, "pubmedCount": 1109.0, "sourcesCount": 121, @@ -627,6 +627,7 @@ "id": "1022355", "inchikey": "SMWDFEZZVXVKRB-UHFFFAOYSA-N", "wikipediaArticle": "Quinoline", + "cpdataCount": 5, "dtxsid": "DTXSID1021798", "dtxcid": "DTXCID401798", "casrn": "91-22-5", @@ -637,7 +638,6 @@ "molFormula": "C9H7N", "monoisotopicMass": 129.057849229, "percentAssays": 3.0, - "cpdataCount": 5, "pubchemCount": 421, "pubmedCount": 912.0, "sourcesCount": 122, @@ -666,6 +666,7 @@ "id": "699388", "inchikey": "ZOKXUAHZSKEQSS-UHFFFAOYSA-N", "wikipediaArticle": null, + "cpdataCount": 2, "dtxsid": "DTXSID1024174", "dtxcid": "DTXCID304174", "casrn": "78-48-8", @@ -676,7 +677,6 @@ "molFormula": "C12H27OPS3", "monoisotopicMass": 314.096166009, "percentAssays": 22.0, - "cpdataCount": 2, "pubchemCount": 84, "pubmedCount": 73.0, "sourcesCount": 94, @@ -705,6 +705,7 @@ "id": "1349794", "inchikey": "ZOKXTWBITQBERF-UHFFFAOYSA-N", "wikipediaArticle": "Molybdenum", + "cpdataCount": 2552, "dtxsid": "DTXSID1024207", "dtxcid": "DTXCID604207", "casrn": "7439-98-7", @@ -715,7 +716,6 @@ "molFormula": "Mo", "monoisotopicMass": 97.905405, "percentAssays": null, - "cpdataCount": 2552, "pubchemCount": 879, "pubmedCount": 6840.0, "sourcesCount": 68, @@ -744,6 +744,7 @@ "id": "1807304", "inchikey": "QGHREAKMXXNCOA-UHFFFAOYSA-N", "wikipediaArticle": "Thiophanate-methyl", + "cpdataCount": 13, "dtxsid": "DTXSID1024338", "dtxcid": "DTXCID104338", "casrn": "23564-05-8", @@ -754,7 +755,6 @@ "molFormula": "C12H14N4O4S2", "monoisotopicMass": 342.045647295, "percentAssays": 11.0, - "cpdataCount": 13, "pubchemCount": 127, "pubmedCount": 85.0, "sourcesCount": 90, @@ -783,6 +783,7 @@ "id": "423885", "inchikey": "RNVCVTLRINQCPJ-UHFFFAOYSA-N", "wikipediaArticle": null, + "cpdataCount": 18, "dtxsid": "DTXSID1026164", "dtxcid": "DTXCID206164", "casrn": "95-53-4", @@ -793,7 +794,6 @@ "molFormula": "C7H9N", "monoisotopicMass": 107.073499294, "percentAssays": 1.0, - "cpdataCount": 18, "pubchemCount": 182, "pubmedCount": 147.0, "sourcesCount": 112, @@ -822,6 +822,7 @@ "id": "1152866", "inchikey": "GUTLYIVDDKVIGB-UHFFFAOYSA-N", "wikipediaArticle": "Cobalt", + "cpdataCount": 3548, "dtxsid": "DTXSID1031040", "dtxcid": "DTXCID9011040", "casrn": "7440-48-4", @@ -832,7 +833,6 @@ "molFormula": "Co", "monoisotopicMass": 58.933194, "percentAssays": null, - "cpdataCount": 3548, "pubchemCount": 1308, "pubmedCount": 17977.0, "sourcesCount": 84, @@ -861,6 +861,7 @@ "id": "1798415", "inchikey": "OTKTUNJJKYTOFF-UHFFFAOYSA-N", "wikipediaArticle": null, + "cpdataCount": null, "dtxsid": "DTXSID1037484", "dtxcid": "DTXCID9017484", "casrn": "194992-44-4", @@ -871,7 +872,6 @@ "molFormula": "C14H19NO4", "monoisotopicMass": 265.131408096, "percentAssays": null, - "cpdataCount": null, "pubchemCount": 25, "pubmedCount": null, "sourcesCount": 32, @@ -900,6 +900,7 @@ "id": "280288", "inchikey": "MHCYOELBTPOBIU-UHFFFAOYSA-N", "wikipediaArticle": null, + "cpdataCount": null, "dtxsid": "DTXSID1037486", "dtxcid": "DTXCID2029955", "casrn": "171262-17-2", @@ -910,7 +911,6 @@ "molFormula": "C14H19NO4", "monoisotopicMass": 265.131408096, "percentAssays": null, - "cpdataCount": null, "pubchemCount": 24, "pubmedCount": null, "sourcesCount": 31, @@ -939,6 +939,7 @@ "id": "1079331", "inchikey": "CIGKZVUEZXGYSV-UHFFFAOYSA-N", "wikipediaArticle": null, + "cpdataCount": null, "dtxsid": "DTXSID1037567", "dtxcid": "DTXCID9017567", "casrn": "171118-09-5", @@ -949,7 +950,6 @@ "molFormula": "C15H23NO5S", "monoisotopicMass": 329.129694019, "percentAssays": 2.0, - "cpdataCount": null, "pubchemCount": 21, "pubmedCount": null, "sourcesCount": 55, @@ -978,6 +978,7 @@ "id": "414316", "inchikey": "JLYXXMFPNIAWKQ-JFRXYTQFNA-N", "wikipediaArticle": "Alpha-Hexachlorocyclohexane", + "cpdataCount": 29, "dtxsid": "DTXSID2020684", "dtxcid": "DTXCID00196533", "casrn": "319-84-6", @@ -988,7 +989,6 @@ "molFormula": "C6H6Cl6", "monoisotopicMass": 287.8600664, "percentAssays": 10.0, - "cpdataCount": 29, "pubchemCount": 425, "pubmedCount": 157.0, "sourcesCount": 79, @@ -1017,6 +1017,7 @@ "id": "512189", "inchikey": "WBNQDOYYEUMPFS-UHFFFAOYSA-N", "wikipediaArticle": "N-Nitrosodiethylamine", + "cpdataCount": 1, "dtxsid": "DTXSID2021028", "dtxcid": "DTXCID901028", "casrn": "55-18-5", @@ -1027,7 +1028,6 @@ "molFormula": "C4H10N2O", "monoisotopicMass": 102.07931295, "percentAssays": 1.0, - "cpdataCount": 1, "pubchemCount": 114, "pubmedCount": 3110.0, "sourcesCount": 102, @@ -1056,6 +1056,7 @@ "id": "665126", "inchikey": "QVLAWKAXOMEXPM-UHFFFAOYSA-N", "wikipediaArticle": "1,1,1,2-Tetrachloroethane", + "cpdataCount": 14, "dtxsid": "DTXSID2021317", "dtxcid": "DTXCID801317", "casrn": "630-20-6", @@ -1066,7 +1067,6 @@ "molFormula": "C2H2Cl4", "monoisotopicMass": 165.8910609, "percentAssays": 0.0, - "cpdataCount": 14, "pubchemCount": 92, "pubmedCount": 13.0, "sourcesCount": 83, @@ -1095,6 +1095,7 @@ "id": "477998", "inchikey": "OKKJLVBELUTLKV-UHFFFAOYSA-N", "wikipediaArticle": "Methanol", + "cpdataCount": 6063, "dtxsid": "DTXSID2021731", "dtxcid": "DTXCID801731", "casrn": "67-56-1", @@ -1105,7 +1106,6 @@ "molFormula": "CH4O", "monoisotopicMass": 32.026214749, "percentAssays": 0.0, - "cpdataCount": 6063, "pubchemCount": 972, "pubmedCount": 14436.0, "sourcesCount": 128, @@ -1134,6 +1134,7 @@ "id": "425345", "inchikey": "ZJMWRROPUADPEA-UHFFFAOYSA-N", "wikipediaArticle": "Sec-Butylbenzene", + "cpdataCount": 11, "dtxsid": "DTXSID2022333", "dtxcid": "DTXCID902333", "casrn": "135-98-8", @@ -1144,7 +1145,6 @@ "molFormula": "C10H14", "monoisotopicMass": 134.1095504508, "percentAssays": 1.0, - "cpdataCount": 11, "pubchemCount": 127, "pubmedCount": 3.0, "sourcesCount": 70, @@ -1173,6 +1173,7 @@ "id": "1250647", "inchikey": "PWHULOQIROXLJO-UHFFFAOYSA-N", "wikipediaArticle": "Manganese", + "cpdataCount": 6164, "dtxsid": "DTXSID2024169", "dtxcid": "DTXCID004169", "casrn": "7439-96-5", @@ -1183,7 +1184,6 @@ "molFormula": "Mn", "monoisotopicMass": 54.938044, "percentAssays": null, - "cpdataCount": 6164, "pubchemCount": 3624, "pubmedCount": 25667.0, "sourcesCount": 81, @@ -1212,6 +1212,7 @@ "id": "1666217", "inchikey": "LHJPHMKIGRLKDR-VDPNAHCISA-N", "wikipediaArticle": "Cylindrospermopsin", + "cpdataCount": null, "dtxsid": "DTXSID2031083", "dtxcid": "DTXCID101526062", "casrn": "143545-90-8", @@ -1222,7 +1223,6 @@ "molFormula": "C15H21N5O7S", "monoisotopicMass": 415.11616921, "percentAssays": null, - "cpdataCount": null, "pubchemCount": 8, "pubmedCount": 278.0, "sourcesCount": 30, @@ -1251,6 +1251,7 @@ "id": "1210475", "inchikey": "RHSUJRQZTQNSLL-UHFFFAOYSA-N", "wikipediaArticle": null, + "cpdataCount": 1, "dtxsid": "DTXSID2037506", "dtxcid": "DTXCID0017506", "casrn": "16655-82-6", @@ -1261,7 +1262,6 @@ "molFormula": "C12H15NO4", "monoisotopicMass": 237.100107967, "percentAssays": null, - "cpdataCount": 1, "pubchemCount": 56, "pubmedCount": 19.0, "sourcesCount": 49, @@ -1290,6 +1290,7 @@ "id": "975111", "inchikey": "LEONUFNNVUYDNQ-UHFFFAOYSA-N", "wikipediaArticle": "Vanadium", + "cpdataCount": 568, "dtxsid": "DTXSID2040282", "dtxcid": "DTXCID0020282", "casrn": "7440-62-2", @@ -1300,7 +1301,6 @@ "molFormula": "V", "monoisotopicMass": 50.943957, "percentAssays": null, - "cpdataCount": 568, "pubchemCount": 437, "pubmedCount": 3428.0, "sourcesCount": 71, @@ -1329,6 +1329,7 @@ "id": "1008520", "inchikey": "PDRGHUMCVRDZLQ-WMZOPIPTSA-N", "wikipediaArticle": "Equilenin", + "cpdataCount": null, "dtxsid": "DTXSID2052156", "dtxcid": "DTXCID7030725", "casrn": "517-09-9", @@ -1339,7 +1340,6 @@ "molFormula": "C18H18O2", "monoisotopicMass": 266.13067982, "percentAssays": null, - "cpdataCount": null, "pubchemCount": 82, "pubmedCount": 126.0, "sourcesCount": 30, @@ -1368,6 +1368,7 @@ "id": "1019968", "inchikey": "KAKZBPTYRLMSJV-UHFFFAOYSA-N", "wikipediaArticle": "1,3-Butadiene", + "cpdataCount": 91, "dtxsid": "DTXSID3020203", "dtxcid": "DTXCID10203", "casrn": "106-99-0", @@ -1378,7 +1379,6 @@ "molFormula": "C4H6", "monoisotopicMass": 54.0469501932, "percentAssays": null, - "cpdataCount": 91, "pubchemCount": 153, "pubmedCount": 689.0, "sourcesCount": 98, @@ -1407,6 +1407,7 @@ "id": "1336524", "inchikey": "OAKJQQAXSVQMHS-UHFFFAOYSA-N", "wikipediaArticle": "Hydrazine", + "cpdataCount": 56, "dtxsid": "DTXSID3020702", "dtxcid": "DTXCID30702", "casrn": "302-01-2", @@ -1417,7 +1418,6 @@ "molFormula": "H4N2", "monoisotopicMass": 32.037448137, "percentAssays": null, - "cpdataCount": 56, "pubchemCount": 82, "pubmedCount": 36436.0, "sourcesCount": 89, @@ -1446,6 +1446,7 @@ "id": "487905", "inchikey": "BZLVMXJERCGZMT-UHFFFAOYSA-N", "wikipediaArticle": "Methyl tert-butyl ether", + "cpdataCount": 693, "dtxsid": "DTXSID3020833", "dtxcid": "DTXCID30833", "casrn": "1634-04-4", @@ -1456,7 +1457,6 @@ "molFormula": "C5H12O", "monoisotopicMass": 88.088815006, "percentAssays": 0.0, - "cpdataCount": 693, "pubchemCount": 425, "pubmedCount": 984.0, "sourcesCount": 119, @@ -1485,6 +1485,7 @@ "id": "1111125", "inchikey": "LQNUZADURLCDLV-UHFFFAOYSA-N", "wikipediaArticle": "Nitrobenzene", + "cpdataCount": 35, "dtxsid": "DTXSID3020964", "dtxcid": "DTXCID30964", "casrn": "98-95-3", @@ -1495,7 +1496,6 @@ "molFormula": "C6H5NO2", "monoisotopicMass": 123.032028405, "percentAssays": 1.0, - "cpdataCount": 35, "pubchemCount": 214, "pubmedCount": 748.0, "sourcesCount": 144, @@ -1524,6 +1524,7 @@ "id": "1807865", "inchikey": null, "wikipediaArticle": "Nonylphenol", + "cpdataCount": 333, "dtxsid": "DTXSID3021857", "dtxcid": "DTXCID301285171", "casrn": "25154-52-3", @@ -1534,7 +1535,6 @@ "molFormula": "C15H24O", "monoisotopicMass": 220.182715393, "percentAssays": null, - "cpdataCount": 333, "pubchemCount": null, "pubmedCount": 1017.0, "sourcesCount": 62, @@ -1563,6 +1563,7 @@ "id": "1082026", "inchikey": "ZMANZCXQSJIPKH-UHFFFAOYSA-N", "wikipediaArticle": "Triethylamine", + "cpdataCount": 262, "dtxsid": "DTXSID3024366", "dtxcid": "DTXCID204366", "casrn": "121-44-8", @@ -1573,7 +1574,6 @@ "molFormula": "C6H15N", "monoisotopicMass": 101.120449487, "percentAssays": 0.0, - "cpdataCount": 262, "pubchemCount": 819, "pubmedCount": 368.0, "sourcesCount": 95, @@ -1602,6 +1602,7 @@ "id": "474502", "inchikey": "YQHLDYVWEZKEOX-UHFFFAOYSA-N", "wikipediaArticle": "Cumene hydroperoxide", + "cpdataCount": 511, "dtxsid": "DTXSID3024869", "dtxcid": "DTXCID404869", "casrn": "80-15-9", @@ -1612,7 +1613,6 @@ "molFormula": "C9H12O2", "monoisotopicMass": 152.083729626, "percentAssays": 10.0, - "cpdataCount": 511, "pubchemCount": 83, "pubmedCount": 583.0, "sourcesCount": 84, @@ -1641,6 +1641,7 @@ "id": "1272672", "inchikey": "YFSUTJLHUFNCNZ-UHFFFAOYSA-N", "wikipediaArticle": "Perfluorooctanesulfonic acid", + "cpdataCount": null, "dtxsid": "DTXSID3031864", "dtxcid": "DTXCID1011864", "casrn": "1763-23-1", @@ -1651,7 +1652,6 @@ "molFormula": "C8HF17O3S", "monoisotopicMass": 499.937493837, "percentAssays": 27.0, - "cpdataCount": null, "pubchemCount": 88, "pubmedCount": 1124.0, "sourcesCount": 146, @@ -1680,6 +1680,7 @@ "id": "1800352", "inchikey": "QYMMJNLHFKGANY-UHFFFAOYSA-N", "wikipediaArticle": "Profenofos", + "cpdataCount": null, "dtxsid": "DTXSID3032464", "dtxcid": "DTXCID1012464", "casrn": "41198-08-7", @@ -1690,7 +1691,6 @@ "molFormula": "C11H15BrClO3PS", "monoisotopicMass": 371.935143, "percentAssays": 14.0, - "cpdataCount": null, "pubchemCount": 76, "pubmedCount": 87.0, "sourcesCount": 89, @@ -1719,6 +1719,7 @@ "id": "1256782", "inchikey": "SILSDTWXNBZOGF-JWGBMQLESA-N", "wikipediaArticle": "Clethodim", + "cpdataCount": null, "dtxsid": "DTXSID3034458", "dtxcid": "DTXCID701478312", "casrn": "99129-21-2", @@ -1729,7 +1730,6 @@ "molFormula": "C17H26ClNO3S", "monoisotopicMass": 359.1321926, "percentAssays": 3.0, - "cpdataCount": null, "pubchemCount": 5, "pubmedCount": null, "sourcesCount": 52, @@ -1758,6 +1758,7 @@ "id": "1382019", "inchikey": "ODLMAHJVESYWTB-UHFFFAOYSA-N", "wikipediaArticle": "n-Propylbenzene", + "cpdataCount": 23, "dtxsid": "DTXSID3042219", "dtxcid": "DTXCID1022219", "casrn": "103-65-1", @@ -1768,7 +1769,6 @@ "molFormula": "C9H12", "monoisotopicMass": 120.0939003864, "percentAssays": 0.0, - "cpdataCount": 23, "pubchemCount": 140, "pubmedCount": 28.0, "sourcesCount": 94, @@ -1797,6 +1797,7 @@ "id": "329433", "inchikey": "XTEGARKTQYYJKE-UHFFFAOYSA-M", "wikipediaArticle": "chlorate ion", + "cpdataCount": null, "dtxsid": "DTXSID3073137", "dtxcid": "DTXCID3034824", "casrn": "14866-68-3", @@ -1807,7 +1808,6 @@ "molFormula": "ClO3", "monoisotopicMass": 82.9541451, "percentAssays": null, - "cpdataCount": null, "pubchemCount": 34, "pubmedCount": null, "sourcesCount": 30, @@ -1836,6 +1836,7 @@ "id": "264468", "inchikey": "RPQXVSUAYFXFJA-HGRQIUPRSA-N", "wikipediaArticle": "Saxitoxin", + "cpdataCount": null, "dtxsid": "DTXSID3074313", "dtxcid": "DTXCID2039045", "casrn": "35523-89-8", @@ -1846,7 +1847,6 @@ "molFormula": "C10H17N7O4", "monoisotopicMass": 299.134202055, "percentAssays": null, - "cpdataCount": null, "pubchemCount": 45, "pubmedCount": 1085.0, "sourcesCount": 33, @@ -1875,6 +1875,7 @@ "id": "248517", "inchikey": "RYHBNJHYFVUHQT-UHFFFAOYSA-N", "wikipediaArticle": "1,4-Dioxane", + "cpdataCount": 459, "dtxsid": "DTXSID4020533", "dtxcid": "DTXCID00533", "casrn": "123-91-1", @@ -1885,7 +1886,6 @@ "molFormula": "C4H8O2", "monoisotopicMass": 88.052429498, "percentAssays": 0.0, - "cpdataCount": 459, "pubchemCount": 898, "pubmedCount": 540.0, "sourcesCount": 133, @@ -1914,6 +1914,7 @@ "id": "819020", "inchikey": "JPOXNPPZZKNXOV-UHFFFAOYSA-N", "wikipediaArticle": "Bromochloromethane", + "cpdataCount": 45, "dtxsid": "DTXSID4021503", "dtxcid": "DTXCID301503", "casrn": "74-97-5", @@ -1924,7 +1925,6 @@ "molFormula": "CH2BrCl", "monoisotopicMass": 127.902841, "percentAssays": 0.0, - "cpdataCount": 45, "pubchemCount": 103, "pubmedCount": 24.0, "sourcesCount": 77, @@ -1953,6 +1953,7 @@ "id": "69659", "inchikey": "FSCWZHGZWWDELK-UHFFFAOYSA-N", "wikipediaArticle": "Vinclozolin", + "cpdataCount": 2, "dtxsid": "DTXSID4022361", "dtxcid": "DTXCID002361", "casrn": "50471-44-8", @@ -1963,7 +1964,6 @@ "molFormula": "C12H9Cl2NO3", "monoisotopicMass": 284.9959486, "percentAssays": 13.0, - "cpdataCount": 2, "pubchemCount": 85, "pubmedCount": 231.0, "sourcesCount": 96, @@ -1992,6 +1992,7 @@ "id": "284016", "inchikey": "DNXHEGUUPJUMQT-CBZIJGRNSA-N", "wikipediaArticle": "Estrone", + "cpdataCount": 2, "dtxsid": "DTXSID4022367", "dtxcid": "DTXCID402367", "casrn": "53-16-7", @@ -2002,7 +2003,6 @@ "molFormula": "C18H22O2", "monoisotopicMass": 270.161979948, "percentAssays": 18.0, - "cpdataCount": 2, "pubchemCount": 225, "pubmedCount": 9597.0, "sourcesCount": 102, @@ -2031,6 +2031,7 @@ "id": "1244127", "inchikey": "WVQBLGZPHOPPFO-UHFFFAOYSA-N", "wikipediaArticle": "Metolachlor", + "cpdataCount": 9, "dtxsid": "DTXSID4022448", "dtxcid": "DTXCID402448", "casrn": "51218-45-2", @@ -2041,7 +2042,6 @@ "molFormula": "C15H22ClNO2", "monoisotopicMass": 283.1339067, "percentAssays": 14.0, - "cpdataCount": 9, "pubchemCount": 121, "pubmedCount": 324.0, "sourcesCount": 113, @@ -2070,6 +2070,7 @@ "id": "1420826", "inchikey": "ULGZDMOVFRHVEP-RWJQBGPGSA-N", "wikipediaArticle": "Erythromycin", + "cpdataCount": 6, "dtxsid": "DTXSID4022991", "dtxcid": "DTXCID102991", "casrn": "114-07-8", @@ -2080,7 +2081,6 @@ "molFormula": "C37H67NO13", "monoisotopicMass": 733.461241221, "percentAssays": 2.0, - "cpdataCount": 6, "pubchemCount": 235, "pubmedCount": 15323.0, "sourcesCount": 90, @@ -2109,6 +2109,7 @@ "id": "327334", "inchikey": "VJYFKVYYMZPMAB-UHFFFAOYSA-N", "wikipediaArticle": "Ethoprop", + "cpdataCount": 14, "dtxsid": "DTXSID4032611", "dtxcid": "DTXCID2012611", "casrn": "13194-48-4", @@ -2119,7 +2120,6 @@ "molFormula": "C8H19O2PS2", "monoisotopicMass": 242.056409198, "percentAssays": 7.0, - "cpdataCount": 14, "pubchemCount": 101, "pubmedCount": 27.0, "sourcesCount": 100, @@ -2148,6 +2148,7 @@ "id": "1626590", "inchikey": "QYPNKSZPJQQLRK-UHFFFAOYSA-N", "wikipediaArticle": "Tebufenozide", + "cpdataCount": null, "dtxsid": "DTXSID4034948", "dtxcid": "DTXCID2014948", "casrn": "112410-23-8", @@ -2158,7 +2159,6 @@ "molFormula": "C22H28N2O2", "monoisotopicMass": 352.21507815, "percentAssays": 14.0, - "cpdataCount": null, "pubchemCount": 89, "pubmedCount": 125.0, "sourcesCount": 81, @@ -2187,6 +2187,7 @@ "id": "1256415", "inchikey": "HGINCPLSRVDWNT-UHFFFAOYSA-N", "wikipediaArticle": "Acrolein", + "cpdataCount": 16, "dtxsid": "DTXSID5020023", "dtxcid": "DTXCID8023", "casrn": "107-02-8", @@ -2197,7 +2198,6 @@ "molFormula": "C3H4O", "monoisotopicMass": 56.026214749, "percentAssays": 1.0, - "cpdataCount": 16, "pubchemCount": 139, "pubmedCount": 2468.0, "sourcesCount": 142, @@ -2226,6 +2226,7 @@ "id": "1552695", "inchikey": "BFPYWIDHMRZLRN-SLHNCBLASA-N", "wikipediaArticle": "Ethinyl estradiol", + "cpdataCount": 1, "dtxsid": "DTXSID5020576", "dtxcid": "DTXCID70576", "casrn": "57-63-6", @@ -2236,7 +2237,6 @@ "molFormula": "C20H24O2", "monoisotopicMass": 296.177630013, "percentAssays": 30.0, - "cpdataCount": 1, "pubchemCount": 180, "pubmedCount": 68026.0, "sourcesCount": 99, @@ -2265,6 +2265,7 @@ "id": "456129", "inchikey": "PDQAZBWRQCGBEV-UHFFFAOYSA-N", "wikipediaArticle": "Ethylene thiourea", + "cpdataCount": 53, "dtxsid": "DTXSID5020601", "dtxcid": "DTXCID90601", "casrn": "96-45-7", @@ -2275,7 +2276,6 @@ "molFormula": "C3H6N2S", "monoisotopicMass": 102.025169375, "percentAssays": 3.0, - "cpdataCount": 53, "pubchemCount": 143, "pubmedCount": 299.0, "sourcesCount": 116, @@ -2304,6 +2304,7 @@ "id": "1538068", "inchikey": "GOOHAUXETOMSMM-UHFFFAOYSA-N", "wikipediaArticle": "Propylene oxide", + "cpdataCount": 162, "dtxsid": "DTXSID5021207", "dtxcid": "DTXCID301207", "casrn": "75-56-9", @@ -2314,7 +2315,6 @@ "molFormula": "C3H6O", "monoisotopicMass": 58.041864813, "percentAssays": null, - "cpdataCount": 162, "pubchemCount": 160, "pubmedCount": 308.0, "sourcesCount": 98, @@ -2343,6 +2343,7 @@ "id": "1079056", "inchikey": "XNWFRZJHXBZDAG-UHFFFAOYSA-N", "wikipediaArticle": "2-Methoxyethanol", + "cpdataCount": 369, "dtxsid": "DTXSID5024182", "dtxcid": "DTXCID804182", "casrn": "109-86-4", @@ -2353,7 +2354,6 @@ "molFormula": "C3H8O2", "monoisotopicMass": 76.052429498, "percentAssays": 0.0, - "cpdataCount": 369, "pubchemCount": 407, "pubmedCount": 233.0, "sourcesCount": 114, @@ -2382,6 +2382,7 @@ "id": "336231", "inchikey": "IKHGUXGNUITLKF-UHFFFAOYSA-N", "wikipediaArticle": "Acetaldehyde", + "cpdataCount": 200, "dtxsid": "DTXSID5039224", "dtxcid": "DTXCID202", "casrn": "75-07-0", @@ -2392,7 +2393,6 @@ "molFormula": "C2H4O", "monoisotopicMass": 44.026214749, "percentAssays": 43.0, - "cpdataCount": 200, "pubchemCount": 445, "pubmedCount": 5568.0, "sourcesCount": 133, @@ -2421,6 +2421,7 @@ "id": "1553759", "inchikey": "SGNXVBOIDPPRJJ-PSASIEDQSA-N", "wikipediaArticle": "Anatoxin-a", + "cpdataCount": null, "dtxsid": "DTXSID50867064", "dtxcid": "DTXCID101021624", "casrn": "64285-06-9", @@ -2431,7 +2432,6 @@ "molFormula": "C10H15NO", "monoisotopicMass": 165.115364107, "percentAssays": null, - "cpdataCount": null, "pubchemCount": 33, "pubmedCount": 5.0, "sourcesCount": 28, @@ -2460,6 +2460,7 @@ "id": "1749368", "inchikey": "VOPWNXZWBYDODV-UHFFFAOYSA-N", "wikipediaArticle": "Chlorodifluoromethane", + "cpdataCount": 637, "dtxsid": "DTXSID6020301", "dtxcid": "DTXCID60301", "casrn": "75-45-6", @@ -2470,7 +2471,6 @@ "molFormula": "CHClF2", "monoisotopicMass": 85.9734841, "percentAssays": null, - "cpdataCount": 637, "pubchemCount": 64, "pubmedCount": 63.0, "sourcesCount": 68, @@ -2499,6 +2499,7 @@ "id": "260492", "inchikey": "SECXISVLQFMRJM-UHFFFAOYSA-N", "wikipediaArticle": "N-Methyl-2-pyrrolidone", + "cpdataCount": 668, "dtxsid": "DTXSID6020856", "dtxcid": "DTXCID60856", "casrn": "872-50-4", @@ -2509,7 +2510,6 @@ "molFormula": "C5H9NO", "monoisotopicMass": 99.068413914, "percentAssays": 1.0, - "cpdataCount": 668, "pubchemCount": 393, "pubmedCount": 217.0, "sourcesCount": 123, @@ -2538,6 +2538,7 @@ "id": "312042", "inchikey": "UBUCNCOMADRQHX-UHFFFAOYSA-N", "wikipediaArticle": null, + "cpdataCount": 26, "dtxsid": "DTXSID6021030", "dtxcid": "DTXCID001030", "casrn": "86-30-6", @@ -2548,7 +2549,6 @@ "molFormula": "C12H10N2O", "monoisotopicMass": 198.07931295, "percentAssays": 6.0, - "cpdataCount": 26, "pubchemCount": 91, "pubmedCount": 43.0, "sourcesCount": 111, @@ -2577,6 +2577,7 @@ "id": "217634", "inchikey": "YLKFDHTUAUWZPQ-UHFFFAOYSA-N", "wikipediaArticle": null, + "cpdataCount": 21, "dtxsid": "DTXSID6021032", "dtxcid": "DTXCID801032", "casrn": "621-64-7", @@ -2587,7 +2588,6 @@ "molFormula": "C6H14N2O", "monoisotopicMass": 130.110613079, "percentAssays": 1.0, - "cpdataCount": 21, "pubchemCount": 77, "pubmedCount": 35.0, "sourcesCount": 98, @@ -2616,6 +2616,7 @@ "id": "1022160", "inchikey": "YBRVSVVVWCFQMG-UHFFFAOYSA-N", "wikipediaArticle": "4,4'-Methylenedianiline", + "cpdataCount": 155, "dtxsid": "DTXSID6022422", "dtxcid": "DTXCID402422", "casrn": "101-77-9", @@ -2626,7 +2627,6 @@ "molFormula": "C13H14N2", "monoisotopicMass": 198.115698459, "percentAssays": 7.0, - "cpdataCount": 155, "pubchemCount": 137, "pubmedCount": 155.0, "sourcesCount": 109, @@ -2655,6 +2655,7 @@ "id": "1779609", "inchikey": "NNKVPIKMPCQWCG-UHFFFAOYSA-N", "wikipediaArticle": "Methamidophos", + "cpdataCount": null, "dtxsid": "DTXSID6024177", "dtxcid": "DTXCID504177", "casrn": "10265-92-6", @@ -2665,7 +2666,6 @@ "molFormula": "C2H8NO2PS", "monoisotopicMass": 141.001336674, "percentAssays": 0.0, - "cpdataCount": null, "pubchemCount": 106, "pubmedCount": 259.0, "sourcesCount": 102, @@ -2694,6 +2694,7 @@ "id": "982119", "inchikey": "HXAIQOCRALNGKB-UHFFFAOYSA-N", "wikipediaArticle": null, + "cpdataCount": null, "dtxsid": "DTXSID6037483", "dtxcid": "DTXCID4017483", "casrn": "187022-11-3", @@ -2704,7 +2705,6 @@ "molFormula": "C14H21NO5S", "monoisotopicMass": 315.114043954, "percentAssays": 1.0, - "cpdataCount": null, "pubchemCount": 19, "pubmedCount": null, "sourcesCount": 44, @@ -2733,6 +2733,7 @@ "id": "1827277", "inchikey": "UTCJUUGCHWHUNI-UHFFFAOYSA-N", "wikipediaArticle": null, + "cpdataCount": null, "dtxsid": "DTXSID6037485", "dtxcid": "DTXCID4017485", "casrn": "142363-53-9", @@ -2743,7 +2744,6 @@ "molFormula": "C14H21NO5S", "monoisotopicMass": 315.114043954, "percentAssays": null, - "cpdataCount": null, "pubchemCount": 17, "pubmedCount": null, "sourcesCount": 37, @@ -2772,6 +2772,7 @@ "id": "56954", "inchikey": "LNOOSYCKMKZOJB-UHFFFAOYSA-N", "wikipediaArticle": null, + "cpdataCount": null, "dtxsid": "DTXSID6037568", "dtxcid": "DTXCID2029951", "casrn": "152019-73-3", @@ -2782,7 +2783,6 @@ "molFormula": "C15H21NO4", "monoisotopicMass": 279.14705816, "percentAssays": 0.0, - "cpdataCount": null, "pubchemCount": 27, "pubmedCount": null, "sourcesCount": 58, @@ -2811,6 +2811,7 @@ "id": "124325", "inchikey": "DLFVBJFMPXGRIB-UHFFFAOYSA-N", "wikipediaArticle": "Acetamide", + "cpdataCount": 6, "dtxsid": "DTXSID7020005", "dtxcid": "DTXCID505", "casrn": "60-35-5", @@ -2821,7 +2822,6 @@ "molFormula": "C2H5NO", "monoisotopicMass": 59.037113785, "percentAssays": 2.0, - "cpdataCount": 6, "pubchemCount": 289, "pubmedCount": 275.0, "sourcesCount": 91, @@ -2850,6 +2850,7 @@ "id": "1123599", "inchikey": null, "wikipediaArticle": "Butylated hydroxyanisole", + "cpdataCount": 298, "dtxsid": "DTXSID7020215", "dtxcid": "DTXCID701285159", "casrn": "25013-16-5", @@ -2860,7 +2861,6 @@ "molFormula": "C11H16O2", "monoisotopicMass": 180.115029755, "percentAssays": 8.0, - "cpdataCount": 298, "pubchemCount": null, "pubmedCount": 1112.0, "sourcesCount": 83, @@ -2889,6 +2889,7 @@ "id": "953346", "inchikey": "WSFSSNUMVMOOMR-UHFFFAOYSA-N", "wikipediaArticle": "Formaldehyde", + "cpdataCount": 2328, "dtxsid": "DTXSID7020637", "dtxcid": "DTXCID30637", "casrn": "50-00-0", @@ -2899,7 +2900,6 @@ "molFormula": "CH2O", "monoisotopicMass": 30.010564684, "percentAssays": null, - "cpdataCount": 2328, "pubchemCount": 338, "pubmedCount": 19234.0, "sourcesCount": 134, @@ -2928,6 +2928,7 @@ "id": "99899", "inchikey": "UMFJAHHVKNCGLG-UHFFFAOYSA-N", "wikipediaArticle": "N-Nitrosodimethylamine", + "cpdataCount": 13, "dtxsid": "DTXSID7021029", "dtxcid": "DTXCID301029", "casrn": "62-75-9", @@ -2938,7 +2939,6 @@ "molFormula": "C2H6N2O", "monoisotopicMass": 74.048012821, "percentAssays": 1.0, - "cpdataCount": 13, "pubchemCount": 104, "pubmedCount": 2589.0, "sourcesCount": 125, @@ -2967,6 +2967,7 @@ "id": "1273236", "inchikey": "OQMBBFQZGJFLBU-UHFFFAOYSA-N", "wikipediaArticle": "Oxyfluorfen", + "cpdataCount": 2, "dtxsid": "DTXSID7024241", "dtxcid": "DTXCID404241", "casrn": "42874-03-3", @@ -2977,7 +2978,6 @@ "molFormula": "C15H11ClF3NO4", "monoisotopicMass": 361.03287, "percentAssays": 21.0, - "cpdataCount": 2, "pubchemCount": 89, "pubmedCount": 46.0, "sourcesCount": 92, @@ -3006,6 +3006,7 @@ "id": "1625134", "inchikey": "WKRLQDKEXYKHJB-HFTRVMKXSA-N", "wikipediaArticle": "Equilin", + "cpdataCount": null, "dtxsid": "DTXSID7047433", "dtxcid": "DTXCID5027433", "casrn": "474-86-2", @@ -3016,7 +3017,6 @@ "molFormula": "C18H20O2", "monoisotopicMass": 268.146329884, "percentAssays": 23.0, - "cpdataCount": null, "pubchemCount": 98, "pubmedCount": 125.0, "sourcesCount": 50, @@ -3045,6 +3045,7 @@ "id": "732475", "inchikey": "XXROGKLTLUQVRX-UHFFFAOYSA-N", "wikipediaArticle": "Allyl alcohol", + "cpdataCount": 1, "dtxsid": "DTXSID8020044", "dtxcid": "DTXCID2044", "casrn": "107-18-6", @@ -3055,7 +3056,6 @@ "molFormula": "C3H6O", "monoisotopicMass": 58.041864813, "percentAssays": 4.0, - "cpdataCount": 1, "pubchemCount": 152, "pubmedCount": 627.0, "sourcesCount": 113, @@ -3084,6 +3084,7 @@ "id": "1578403", "inchikey": "PAYRUJLWNCNPSJ-UHFFFAOYSA-N", "wikipediaArticle": "Aniline", + "cpdataCount": 114, "dtxsid": "DTXSID8020090", "dtxcid": "DTXCID9090", "casrn": "62-53-3", @@ -3094,7 +3095,6 @@ "molFormula": "C6H7N", "monoisotopicMass": 93.057849229, "percentAssays": 0.0, - "cpdataCount": 114, "pubchemCount": 341, "pubmedCount": 1932.0, "sourcesCount": 139, @@ -3123,6 +3123,7 @@ "id": "223603", "inchikey": "LYCAIKOWRPUZTN-UHFFFAOYSA-N", "wikipediaArticle": "Ethylene glycol", + "cpdataCount": 7343, "dtxsid": "DTXSID8020597", "dtxcid": "DTXCID40597", "casrn": "107-21-1", @@ -3133,7 +3134,6 @@ "molFormula": "C2H6O2", "monoisotopicMass": 62.036779433, "percentAssays": 4.0, - "cpdataCount": 7343, "pubchemCount": 11003, "pubmedCount": 2300.0, "sourcesCount": 134, @@ -3162,6 +3162,7 @@ "id": "755223", "inchikey": "GZUXJHMPEANEGY-UHFFFAOYSA-N", "wikipediaArticle": "Bromomethane", + "cpdataCount": 52, "dtxsid": "DTXSID8020832", "dtxcid": "DTXCID00832", "casrn": "74-83-9", @@ -3172,7 +3173,6 @@ "molFormula": "CH3Br", "monoisotopicMass": 93.941813, "percentAssays": null, - "cpdataCount": 52, "pubchemCount": 91, "pubmedCount": 500.0, "sourcesCount": 112, @@ -3201,6 +3201,7 @@ "id": "1576421", "inchikey": "WNYADZVDBIBLJJ-UHFFFAOYSA-N", "wikipediaArticle": null, + "cpdataCount": 1, "dtxsid": "DTXSID8021062", "dtxcid": "DTXCID701062", "casrn": "930-55-2", @@ -3211,7 +3212,6 @@ "molFormula": "C4H8N2O", "monoisotopicMass": 100.063662886, "percentAssays": 3.0, - "cpdataCount": 1, "pubchemCount": 81, "pubmedCount": 168.0, "sourcesCount": 92, @@ -3240,6 +3240,7 @@ "id": "522456", "inchikey": "RLLPVAHGXHCWKJ-UHFFFAOYSA-N", "wikipediaArticle": "Permethrin", + "cpdataCount": 141, "dtxsid": "DTXSID8022292", "dtxcid": "DTXCID102292", "casrn": "52645-53-1", @@ -3250,7 +3251,6 @@ "molFormula": "C21H20Cl2O3", "monoisotopicMass": 390.0789499, "percentAssays": 13.0, - "cpdataCount": 141, "pubchemCount": 170, "pubmedCount": 1870.0, "sourcesCount": 119, @@ -3279,6 +3279,7 @@ "id": "1061374", "inchikey": "VOXZDWNPVJITMN-SFFUCWETSA-N", "wikipediaArticle": "17α-Estradiol", + "cpdataCount": null, "dtxsid": "DTXSID8022377", "dtxcid": "DTXCID702377", "casrn": "57-91-0", @@ -3289,7 +3290,6 @@ "molFormula": "C18H24O2", "monoisotopicMass": 272.177630013, "percentAssays": 30.0, - "cpdataCount": null, "pubchemCount": 110, "pubmedCount": 1.0, "sourcesCount": 66, @@ -3318,6 +3318,7 @@ "id": "962969", "inchikey": "YASYVMFAVPKPKE-UHFFFAOYSA-N", "wikipediaArticle": "Acephate", + "cpdataCount": 23, "dtxsid": "DTXSID8023846", "dtxcid": "DTXCID503846", "casrn": "30560-19-1", @@ -3328,7 +3329,6 @@ "molFormula": "C4H10NO3PS", "monoisotopicMass": 183.011901358, "percentAssays": 2.0, - "cpdataCount": 23, "pubchemCount": 119, "pubmedCount": 160.0, "sourcesCount": 98, @@ -3357,6 +3357,7 @@ "id": "1264288", "inchikey": "VTNQPKFIQCLBDU-UHFFFAOYSA-N", "wikipediaArticle": "Acetochlor", + "cpdataCount": 1, "dtxsid": "DTXSID8023848", "dtxcid": "DTXCID303848", "casrn": "34256-82-1", @@ -3367,7 +3368,6 @@ "molFormula": "C14H20ClNO2", "monoisotopicMass": 269.1182566, "percentAssays": 23.0, - "cpdataCount": 1, "pubchemCount": 120, "pubmedCount": 172.0, "sourcesCount": 100, @@ -3396,6 +3396,7 @@ "id": "169700", "inchikey": "PMCVMORKVPSKHZ-UHFFFAOYSA-N", "wikipediaArticle": "Oxydemeton-methyl", + "cpdataCount": 1, "dtxsid": "DTXSID8025541", "dtxcid": "DTXCID105541", "casrn": "301-12-2", @@ -3406,7 +3407,6 @@ "molFormula": "C6H15O4PS2", "monoisotopicMass": 246.014938309, "percentAssays": null, - "cpdataCount": 1, "pubchemCount": 81, "pubmedCount": 55.0, "sourcesCount": 68, @@ -3435,6 +3435,7 @@ "id": "147427", "inchikey": "SNGREZUHAYWORS-UHFFFAOYSA-N", "wikipediaArticle": "Perfluorooctanoic acid", + "cpdataCount": 7, "dtxsid": "DTXSID8031865", "dtxcid": "DTXCID6011865", "casrn": "335-67-1", @@ -3445,7 +3446,6 @@ "molFormula": "C8HF15O2", "monoisotopicMass": 413.973701717, "percentAssays": 10.0, - "cpdataCount": 7, "pubchemCount": 139, "pubmedCount": 1179.0, "sourcesCount": 153, @@ -3474,6 +3474,7 @@ "id": "1201771", "inchikey": "GNPVGFCGXDBREM-UHFFFAOYSA-N", "wikipediaArticle": "Germane", + "cpdataCount": 10, "dtxsid": "DTXSID8052483", "dtxcid": "DTXCID5031056", "casrn": "7440-56-4", @@ -3484,7 +3485,6 @@ "molFormula": "Ge", "monoisotopicMass": 73.92117776, "percentAssays": null, - "cpdataCount": 10, "pubchemCount": 150, "pubmedCount": 1444.0, "sourcesCount": 36, @@ -3513,6 +3513,7 @@ "id": "710769", "inchikey": "LDVVMCZRFWMZSG-UHFFFAOYSA-N", "wikipediaArticle": "Captan", + "cpdataCount": 7, "dtxsid": "DTXSID9020243", "dtxcid": "DTXCID90243", "casrn": "133-06-2", @@ -3523,7 +3524,6 @@ "molFormula": "C9H8Cl3NO2S", "monoisotopicMass": 298.9341328, "percentAssays": 33.0, - "cpdataCount": 7, "pubchemCount": 98, "pubmedCount": 308.0, "sourcesCount": 116, @@ -3552,6 +3552,7 @@ "id": "1089609", "inchikey": "CFXQEHVMCRXUSD-UHFFFAOYSA-N", "wikipediaArticle": "1,2,3-Trichloropropane", + "cpdataCount": 15, "dtxsid": "DTXSID9021390", "dtxcid": "DTXCID401390", "casrn": "96-18-4", @@ -3562,7 +3563,6 @@ "molFormula": "C3H5Cl3", "monoisotopicMass": 145.9456833, "percentAssays": 1.0, - "cpdataCount": 15, "pubchemCount": 108, "pubmedCount": 50.0, "sourcesCount": 112, @@ -3591,6 +3591,7 @@ "id": "1514223", "inchikey": "JOYRKODLDBILNP-UHFFFAOYSA-N", "wikipediaArticle": "Ethyl carbamate", + "cpdataCount": 17, "dtxsid": "DTXSID9021427", "dtxcid": "DTXCID301427", "casrn": "51-79-6", @@ -3601,7 +3602,6 @@ "molFormula": "C3H7NO2", "monoisotopicMass": 89.047678469, "percentAssays": 0.0, - "cpdataCount": 17, "pubchemCount": 245, "pubmedCount": 4595.0, "sourcesCount": 94, @@ -3630,6 +3630,7 @@ "id": "154812", "inchikey": "PROQIPRRNZUXQM-ZXXIGWHRSA-N", "wikipediaArticle": "Estriol", + "cpdataCount": null, "dtxsid": "DTXSID9022366", "dtxcid": "DTXCID002366", "casrn": "50-27-1", @@ -3640,7 +3641,6 @@ "molFormula": "C18H24O3", "monoisotopicMass": 288.172544633, "percentAssays": 13.0, - "cpdataCount": null, "pubchemCount": 163, "pubmedCount": 6014.0, "sourcesCount": 75, @@ -3669,6 +3669,7 @@ "id": "160485", "inchikey": "VIKNJXKGJWUCNN-XGXHKTLJSA-N", "wikipediaArticle": "Norethisterone", + "cpdataCount": null, "dtxsid": "DTXSID9023380", "dtxcid": "DTXCID303380", "casrn": "68-22-4", @@ -3679,7 +3680,6 @@ "molFormula": "C20H26O2", "monoisotopicMass": 298.193280077, "percentAssays": 23.0, - "cpdataCount": null, "pubchemCount": 149, "pubmedCount": 4248.0, "sourcesCount": 83, @@ -3708,6 +3708,7 @@ "id": "253306", "inchikey": "VEENJGZXVHKXNB-VOTSOKGWSA-N", "wikipediaArticle": "Dicrotophos", + "cpdataCount": 2, "dtxsid": "DTXSID9023914", "dtxcid": "DTXCID003914", "casrn": "141-66-2", @@ -3718,7 +3719,6 @@ "molFormula": "C8H16NO5P", "monoisotopicMass": 237.076609617, "percentAssays": 1.0, - "cpdataCount": 2, "pubchemCount": 62, "pubmedCount": 28.0, "sourcesCount": 99, @@ -3747,6 +3747,7 @@ "id": "896513", "inchikey": "XTFIVUDBNACUBN-UHFFFAOYSA-N", "wikipediaArticle": "RDX", + "cpdataCount": 71, "dtxsid": "DTXSID9024142", "dtxcid": "DTXCID604142", "casrn": "121-82-4", @@ -3757,7 +3758,6 @@ "molFormula": "C3H6N6O6", "monoisotopicMass": 222.034881937, "percentAssays": null, - "cpdataCount": 71, "pubchemCount": 72, "pubmedCount": 472.0, "sourcesCount": 82, @@ -3786,6 +3786,7 @@ "id": "1197968", "inchikey": "PXMNMQRDXWABCY-UHFFFAOYSA-N", "wikipediaArticle": "Tebuconazole", + "cpdataCount": 2, "dtxsid": "DTXSID9032113", "dtxcid": "DTXCID7012113", "casrn": "107534-96-3", @@ -3796,7 +3797,6 @@ "molFormula": "C16H22ClN3O", "monoisotopicMass": 307.14514, "percentAssays": 24.0, - "cpdataCount": 2, "pubchemCount": 120, "pubmedCount": 182.0, "sourcesCount": 103, @@ -3825,6 +3825,7 @@ "id": "1674895", "inchikey": "PORWMNRCUJJQNO-UHFFFAOYSA-N", "wikipediaArticle": "Tellurium", + "cpdataCount": 146, "dtxsid": "DTXSID9032119", "dtxcid": "DTXCID7012119", "casrn": "13494-80-9", @@ -3835,7 +3836,6 @@ "molFormula": "Te", "monoisotopicMass": 129.90622275, "percentAssays": null, - "cpdataCount": 146, "pubchemCount": 130, "pubmedCount": 2502.0, "sourcesCount": 47, @@ -3864,6 +3864,7 @@ "id": "639597", "inchikey": "RRNIZKPFKNDSRS-UHFFFAOYSA-N", "wikipediaArticle": "Bensulide", + "cpdataCount": 11, "dtxsid": "DTXSID9032329", "dtxcid": "DTXCID7012329", "casrn": "741-58-2", @@ -3874,7 +3875,6 @@ "molFormula": "C14H24NO4PS3", "monoisotopicMass": 397.060508777, "percentAssays": 37.0, - "cpdataCount": 11, "pubchemCount": 53, "pubmedCount": 4.0, "sourcesCount": 82, diff --git a/tests/testthat/chemical/chemical/detail/search/by-dtxsid-9e51f1.R b/tests/testthat/chemical/chemical/detail/search/by-dtxsid-9e51f1.R index 5ed4b32..34e6b02 100644 --- a/tests/testthat/chemical/chemical/detail/search/by-dtxsid-9e51f1.R +++ b/tests/testthat/chemical/chemical/detail/search/by-dtxsid-9e51f1.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/detail/search/by-dtxsid/?projection=chemicaldetailstandard", status_code = 405L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:13:52 GMT", allow = "POST", + date = "Wed, 28 Aug 2024 20:19:56 GMT", allow = "POST", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "00f3e62f-2f72-4cd5-4c67-aef38ad95a30", + `x-vcap-request-id` = "0aa9d167-38ca-4648-5c80-8c4bba2b8212", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "h0mH-UvESEPoJwNWd65N_1j16GSPPLNMF3ct8Ohu3d7_1piwp2gXmA=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "di2J1eRiQWhQVVZAgwKrVIwsFQylalRWkjqlnaHQYQVibJk7rFxtdQ=="), class = c("insensitive", "list")), all_headers = list(list(status = 405L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:13:52 GMT", allow = "POST", + date = "Wed, 28 Aug 2024 20:19:56 GMT", allow = "POST", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "00f3e62f-2f72-4cd5-4c67-aef38ad95a30", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "0aa9d167-38ca-4648-5c80-8c4bba2b8212", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "h0mH-UvESEPoJwNWd65N_1j16GSPPLNMF3ct8Ohu3d7_1piwp2gXmA=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "di2J1eRiQWhQVVZAgwKrVIwsFQylalRWkjqlnaHQYQVibJk7rFxtdQ=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -38,7 +38,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/detail/search/by-dtxsid/ 0x6d, 0x69, 0x63, 0x61, 0x6c, 0x2f, 0x64, 0x65, 0x74, 0x61, 0x69, 0x6c, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, 0x64, 0x74, 0x78, 0x73, 0x69, 0x64, 0x2f, - 0x22, 0x0a, 0x7d)), date = structure(1716311632, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.7e-05, - connect = 0, pretransfer = 0.000123, starttransfer = 0.111908, - total = 0.111948)), class = "response") + 0x22, 0x0a, 0x7d)), date = structure(1724876396, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.9e-05, + connect = 0, pretransfer = 0.000107, starttransfer = 0.213481, + total = 0.21351)), class = "response") diff --git a/tests/testthat/chemical/chemical/detail/search/by-dtxsid/DTXSID7020182-975bf8.json b/tests/testthat/chemical/chemical/detail/search/by-dtxsid/DTXSID7020182-975bf8.json index 7c84b66..e35ebb7 100644 --- a/tests/testthat/chemical/chemical/detail/search/by-dtxsid/DTXSID7020182-975bf8.json +++ b/tests/testthat/chemical/chemical/detail/search/by-dtxsid/DTXSID7020182-975bf8.json @@ -1,5 +1,9 @@ { + "cpdataCount": 292, "inchikey": "IISBACLAFKSPIT-UHFFFAOYSA-N", + "expocatMedianPrediction": "5.50E-05", + "expocat": "Y", + "nhanes": "Y", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", "casrn": "80-05-7", @@ -8,12 +12,8 @@ "molFormula": "C15H16O2", "monoisotopicMass": 228.115029755, "percentAssays": 23.0, - "cpdataCount": 292, "sourcesCount": 146, "totalAssays": 951, "smiles": "CC(C)(C1=CC=C(O)C=C1)C1=CC=C(O)C=C1", - "msReadySmiles": "CC(C)(C1=CC=C(O)C=C1)C1=CC=C(O)C=C1", - "expocatMedianPrediction": "5.50E-05", - "expocat": "Y", - "nhanes": "Y" + "msReadySmiles": "CC(C)(C1=CC=C(O)C=C1)C1=CC=C(O)C=C1" } diff --git a/tests/testthat/chemical/chemical/detail/search/by-dtxsid/DTXSID7020182-9e51f1.json b/tests/testthat/chemical/chemical/detail/search/by-dtxsid/DTXSID7020182-9e51f1.json index e152ee0..02dcf77 100644 --- a/tests/testthat/chemical/chemical/detail/search/by-dtxsid/DTXSID7020182-9e51f1.json +++ b/tests/testthat/chemical/chemical/detail/search/by-dtxsid/DTXSID7020182-9e51f1.json @@ -1,5 +1,6 @@ { "id": "337693", + "cpdataCount": 292, "inchikey": "IISBACLAFKSPIT-UHFFFAOYSA-N", "wikipediaArticle": "Bisphenol A", "dtxsid": "DTXSID7020182", @@ -12,7 +13,6 @@ "molFormula": "C15H16O2", "monoisotopicMass": 228.115029755, "percentAssays": 23.0, - "cpdataCount": 292, "pubchemCount": 212, "pubmedCount": 3850.0, "sourcesCount": 146, diff --git a/tests/testthat/chemical/chemical/fate/search/by-dtxsid.R b/tests/testthat/chemical/chemical/fate/search/by-dtxsid.R index ad4d784..6210b0f 100644 --- a/tests/testthat/chemical/chemical/fate/search/by-dtxsid.R +++ b/tests/testthat/chemical/chemical/fate/search/by-dtxsid.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/fate/search/by-dtxsid/", status_code = 405L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:13:53 GMT", allow = "POST", + date = "Wed, 28 Aug 2024 20:19:57 GMT", allow = "POST", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "214ba9aa-5580-4b12-530b-e5d249b9274e", + `x-vcap-request-id` = "ebd48d35-c503-46ab-705c-cc6069492f7e", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "qraR99GtCBzfQhKiFcwn3y84e2eRMOgd5aWKVHnIZX3WcYA86oeTYA=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "2jxmVSotzehHF02bstWF3NonIBcfTve63ezRALvE7xkQp89esvIUMw=="), class = c("insensitive", "list")), all_headers = list(list(status = 405L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:13:53 GMT", allow = "POST", + date = "Wed, 28 Aug 2024 20:19:57 GMT", allow = "POST", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "214ba9aa-5580-4b12-530b-e5d249b9274e", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "ebd48d35-c503-46ab-705c-cc6069492f7e", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "qraR99GtCBzfQhKiFcwn3y84e2eRMOgd5aWKVHnIZX3WcYA86oeTYA=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "2jxmVSotzehHF02bstWF3NonIBcfTve63ezRALvE7xkQp89esvIUMw=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -38,7 +38,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/fate/search/by-dtxsid/", 0x6d, 0x69, 0x63, 0x61, 0x6c, 0x2f, 0x66, 0x61, 0x74, 0x65, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, 0x64, 0x74, 0x78, 0x73, 0x69, 0x64, 0x2f, 0x22, 0x0a, - 0x7d)), date = structure(1716311633, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.9e-05, - connect = 0, pretransfer = 0.000138, starttransfer = 0.110009, - total = 0.11004)), class = "response") + 0x7d)), date = structure(1724876397, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.2e-05, + connect = 0, pretransfer = 0.000133, starttransfer = 0.290237, + total = 0.290292)), class = "response") diff --git a/tests/testthat/chemical/chemical/fate/search/by-dtxsid/DTXSID7020182.json b/tests/testthat/chemical/chemical/fate/search/by-dtxsid/DTXSID7020182.json index c7ccca6..e803eb0 100644 --- a/tests/testthat/chemical/chemical/fate/search/by-dtxsid/DTXSID7020182.json +++ b/tests/testthat/chemical/chemical/fate/search/by-dtxsid/DTXSID7020182.json @@ -5,12 +5,12 @@ "valueType": "predicted", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": "cm3/molecule*sec", "endpointName": "Atmos. Hydroxylation Rate", "resultValue": 1.63978E-11, "maxValue": null, "minValue": null, - "modelSource": "OPERA" + "modelSource": "OPERA", + "unit": "cm3/molecule*sec" }, { "id": 290900, @@ -18,12 +18,12 @@ "valueType": "predicted", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": 43.6523, "maxValue": null, "minValue": null, - "modelSource": "OPERA" + "modelSource": "OPERA", + "unit": null }, { "id": 367787, @@ -31,12 +31,12 @@ "valueType": "experimental", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": null, "maxValue": 100.0, "minValue": 0.0, - "modelSource": "ECOTOX: aquatic" + "modelSource": "ECOTOX: aquatic", + "unit": null }, { "id": 382690, @@ -44,12 +44,12 @@ "valueType": "predicted", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": "days", "endpointName": "Biodeg. Half-Life", "resultValue": 15.145, "maxValue": null, "minValue": null, - "modelSource": "OPERA" + "modelSource": "OPERA", + "unit": "days" }, { "id": 444479, @@ -57,12 +57,12 @@ "valueType": "experimental", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": null, "maxValue": 300.0, "minValue": 200.0, - "modelSource": "ECOTOX: aquatic" + "modelSource": "ECOTOX: aquatic", + "unit": null }, { "id": 448602, @@ -70,12 +70,12 @@ "valueType": "experimental", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": 22.0, "maxValue": null, "minValue": null, - "modelSource": "ECOTOX: aquatic" + "modelSource": "ECOTOX: aquatic", + "unit": null }, { "id": 601682, @@ -83,12 +83,12 @@ "valueType": "experimental", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": null, "maxValue": 150.0, "minValue": 100.0, - "modelSource": "ECOTOX: aquatic" + "modelSource": "ECOTOX: aquatic", + "unit": null }, { "id": 671529, @@ -96,12 +96,12 @@ "valueType": "predicted", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": "L/kg", "endpointName": "Soil Adsorp. Coeff. (Koc)", "resultValue": 1436.23, "maxValue": null, "minValue": null, - "modelSource": "OPERA" + "modelSource": "OPERA", + "unit": "L/kg" }, { "id": 849524, @@ -109,12 +109,12 @@ "valueType": "predicted", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": 72.03, "maxValue": null, "minValue": null, - "modelSource": "EPISUITE" + "modelSource": "EPISUITE", + "unit": null }, { "id": 952588, @@ -122,12 +122,12 @@ "valueType": "experimental", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": null, "maxValue": 200.0, "minValue": 150.0, - "modelSource": "ECOTOX: aquatic" + "modelSource": "ECOTOX: aquatic", + "unit": null }, { "id": 1009913, @@ -135,12 +135,12 @@ "valueType": "experimental", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": 2.2, "maxValue": null, "minValue": null, - "modelSource": "ECOTOX: aquatic" + "modelSource": "ECOTOX: aquatic", + "unit": null }, { "id": 1070883, @@ -148,12 +148,12 @@ "valueType": "experimental", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": 10.8, "maxValue": null, "minValue": null, - "modelSource": "ECOTOX: aquatic" + "modelSource": "ECOTOX: aquatic", + "unit": null }, { "id": 1116028, @@ -161,12 +161,12 @@ "valueType": "predicted", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": "days", "endpointName": "Fish Biotrans. Half-Life (Km)", "resultValue": 1.85933, "maxValue": null, "minValue": null, - "modelSource": "OPERA" + "modelSource": "OPERA", + "unit": "days" }, { "id": 1121234, @@ -174,12 +174,12 @@ "valueType": "experimental", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": null, "maxValue": 100.0, "minValue": 50.0, - "modelSource": "ECOTOX: aquatic" + "modelSource": "ECOTOX: aquatic", + "unit": null }, { "id": 1331052, @@ -187,12 +187,12 @@ "valueType": "experimental", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": 250.0, "maxValue": null, "minValue": null, - "modelSource": "ECOTOX: aquatic" + "modelSource": "ECOTOX: aquatic", + "unit": null }, { "id": 1341216, @@ -200,12 +200,12 @@ "valueType": "experimental", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": null, "maxValue": 400.0, "minValue": 300.0, - "modelSource": "ECOTOX: aquatic" + "modelSource": "ECOTOX: aquatic", + "unit": null }, { "id": 1930431, @@ -213,12 +213,12 @@ "valueType": "experimental", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": null, "maxValue": 250.0, "minValue": 200.0, - "modelSource": "ECOTOX: aquatic" + "modelSource": "ECOTOX: aquatic", + "unit": null }, { "id": 1997015, @@ -226,12 +226,12 @@ "valueType": "experimental", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": 43.6516, "maxValue": null, "minValue": null, - "modelSource": "PhysPropNCCT" + "modelSource": "PhysPropNCCT", + "unit": null }, { "id": 2147922, @@ -239,12 +239,12 @@ "valueType": "experimental", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": 1.7, "maxValue": null, "minValue": null, - "modelSource": "ECOTOX: aquatic" + "modelSource": "ECOTOX: aquatic", + "unit": null }, { "id": 2190086, @@ -252,12 +252,12 @@ "valueType": "predicted", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": 117.22, "maxValue": null, "minValue": null, - "modelSource": "TEST" + "modelSource": "TEST", + "unit": null }, { "id": 2228394, @@ -265,12 +265,12 @@ "valueType": "experimental", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": 150.0, "maxValue": null, "minValue": null, - "modelSource": "ECOTOX: aquatic" + "modelSource": "ECOTOX: aquatic", + "unit": null }, { "id": 2264316, @@ -278,12 +278,12 @@ "valueType": "experimental", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": null, "maxValue": 300.0, "minValue": 250.0, - "modelSource": "ECOTOX: aquatic" + "modelSource": "ECOTOX: aquatic", + "unit": null }, { "id": 2352142, @@ -291,12 +291,12 @@ "valueType": "experimental", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": 38.4, "maxValue": null, "minValue": null, - "modelSource": "ECOTOX: aquatic" + "modelSource": "ECOTOX: aquatic", + "unit": null }, { "id": 2432379, @@ -304,12 +304,12 @@ "valueType": "predicted", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": 172.7, "maxValue": null, "minValue": null, - "modelSource": "EPISUITE" + "modelSource": "EPISUITE", + "unit": null }, { "id": 2433897, @@ -317,12 +317,12 @@ "valueType": "experimental", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": "days", "endpointName": "Fish Biotrans. Half-Life (Km)", "resultValue": 1.86209, "maxValue": null, "minValue": null, - "modelSource": "PhysPropNCCT" + "modelSource": "PhysPropNCCT", + "unit": "days" }, { "id": 2470101, @@ -330,12 +330,12 @@ "valueType": "experimental", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": 100.0, "maxValue": null, "minValue": null, - "modelSource": "ECOTOX: aquatic" + "modelSource": "ECOTOX: aquatic", + "unit": null }, { "id": 2474731, @@ -343,12 +343,12 @@ "valueType": "predicted", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": "L/kg", "endpointName": "Soil Adsorp. Coeff. (Koc)", "resultValue": 1244.51, "maxValue": null, "minValue": null, - "modelSource": "EPISUITE" + "modelSource": "EPISUITE", + "unit": "L/kg" }, { "id": 3840174, @@ -356,12 +356,12 @@ "valueType": "experimental", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": 8.7, "maxValue": null, "minValue": null, - "modelSource": "ECOTOX: aquatic" + "modelSource": "ECOTOX: aquatic", + "unit": null }, { "id": 3880965, @@ -369,12 +369,12 @@ "valueType": "experimental", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": null, "maxValue": 500.0, "minValue": 400.0, - "modelSource": "ECOTOX: aquatic" + "modelSource": "ECOTOX: aquatic", + "unit": null }, { "id": 4067725, @@ -382,12 +382,12 @@ "valueType": "experimental", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": 25.0, "maxValue": null, "minValue": null, - "modelSource": "ECOTOX: aquatic" + "modelSource": "ECOTOX: aquatic", + "unit": null }, { "id": 4304846, @@ -395,12 +395,12 @@ "valueType": "experimental", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": 3.6, "maxValue": null, "minValue": null, - "modelSource": "ECOTOX: aquatic" + "modelSource": "ECOTOX: aquatic", + "unit": null }, { "id": 4327120, @@ -408,12 +408,12 @@ "valueType": "experimental", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioconcentration Factor", "resultValue": null, "maxValue": 200.0, "minValue": 100.0, - "modelSource": "ECOTOX: aquatic" + "modelSource": "ECOTOX: aquatic", + "unit": null }, { "id": 4428700, @@ -421,11 +421,11 @@ "valueType": "predicted", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, "endpointName": "Bioaccumulation Factor", "resultValue": 172.8, "maxValue": null, "minValue": null, - "modelSource": "EPISUITE" + "modelSource": "EPISUITE", + "unit": null } ] diff --git a/tests/testthat/chemical/chemical/file/image/search/by-dtxcid/DTXCID30182-ac797a.R b/tests/testthat/chemical/chemical/file/image/search/by-dtxcid/DTXCID30182-ac797a.R index 343b4d1..358ecff 100644 --- a/tests/testthat/chemical/chemical/file/image/search/by-dtxcid/DTXCID30182-ac797a.R +++ b/tests/testthat/chemical/chemical/file/image/search/by-dtxcid/DTXCID30182-ac797a.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/file/image/search/by-dtxcid/DTXCID30182?Image+Format=png", status_code = 200L, headers = structure(list(`content-type` = "image/png", `content-length` = "22764", connection = "keep-alive", - date = "Tue, 21 May 2024 17:14:06 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:15 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "b1407f75-6554-4de4-710c-335ae6e194cf", + `x-vcap-request-id` = "16a6cee1-1f0c-4f56-7dfd-d9446e47082c", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Miss from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "vjUTiKzr6mqry_vUN5VHpICXZUNj6pJbT2NpFHhWfvhrgkiHcDt8aw=="), class = c("insensitive", + `x-cache` = "Miss from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "WtwtKpqQbUlqW7DjpGCFBaCV-vLaziVLXM9sP7GTT6Lveg3c-QxFTA=="), class = c("insensitive", "list")), all_headers = list(list(status = 200L, version = "HTTP/1.1", headers = structure(list(`content-type` = "image/png", `content-length` = "22764", connection = "keep-alive", - date = "Tue, 21 May 2024 17:14:06 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:15 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "b1407f75-6554-4de4-710c-335ae6e194cf", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "16a6cee1-1f0c-4f56-7dfd-d9446e47082c", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Miss from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "vjUTiKzr6mqry_vUN5VHpICXZUNj6pJbT2NpFHhWfvhrgkiHcDt8aw=="), class = c("insensitive", + `x-cache` = "Miss from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "WtwtKpqQbUlqW7DjpGCFBaCV-vLaziVLXM9sP7GTT6Lveg3c-QxFTA=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -2296,7 +2296,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/file/image/search/by-dtx 0x00, 0x08, 0x19, 0x01, 0x0b, 0x00, 0x00, 0x20, 0x64, 0x04, 0x2c, 0x00, 0x00, 0x80, 0x90, 0xfd, 0x3f, 0xca, 0x71, 0x75, 0x8f, 0x81, 0x96, 0xf0, 0x66, 0x00, 0x00, 0x00, 0x00, 0x49, - 0x45, 0x4e, 0x44, 0xae, 0x42, 0x60, 0x82)), date = structure(1716311646, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.7e-05, - connect = 0, pretransfer = 0.000213, starttransfer = 0.120399, - total = 0.122452)), class = "response") + 0x45, 0x4e, 0x44, 0xae, 0x42, 0x60, 0x82)), date = structure(1724876415, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.9e-05, + connect = 0, pretransfer = 0.000102, starttransfer = 0.102497, + total = 0.164592)), class = "response") diff --git a/tests/testthat/chemical/chemical/file/image/search/by-dtxsid-85b7e8.R b/tests/testthat/chemical/chemical/file/image/search/by-dtxsid-85b7e8.R index 85d2fd0..59bba5f 100644 --- a/tests/testthat/chemical/chemical/file/image/search/by-dtxsid-85b7e8.R +++ b/tests/testthat/chemical/chemical/file/image/search/by-dtxsid-85b7e8.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/file/image/search/by-dtxsid/?Image+Format=svg", status_code = 404L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:14:07 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:15 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "0ed83571-4a47-443e-5ae9-c1e1b27a2a57", + `x-vcap-request-id` = "bc69f878-de17-49bb-5bc5-f261be4a5d3c", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "0D0YXlL_cJeI9zND_Mm-hbL8IAeB_dFK-OSVYso0sNUpL8byTQzXDA=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "9rcP-6CctZtCmLCagDKJsumgB5xlDuGOqTEJAbwGzC_iIdyVrcyYMg=="), class = c("insensitive", "list")), all_headers = list(list(status = 404L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:14:07 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:15 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "0ed83571-4a47-443e-5ae9-c1e1b27a2a57", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "bc69f878-de17-49bb-5bc5-f261be4a5d3c", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "0D0YXlL_cJeI9zND_Mm-hbL8IAeB_dFK-OSVYso0sNUpL8byTQzXDA=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "9rcP-6CctZtCmLCagDKJsumgB5xlDuGOqTEJAbwGzC_iIdyVrcyYMg=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -40,7 +40,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/file/image/search/by-dtx 0x61, 0x6c, 0x2f, 0x66, 0x69, 0x6c, 0x65, 0x2f, 0x69, 0x6d, 0x61, 0x67, 0x65, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, 0x64, 0x74, 0x78, 0x73, 0x69, 0x64, - 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1716311647, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.9e-05, - connect = 0, pretransfer = 0.000151, starttransfer = 0.33167, - total = 0.331704)), class = "response") + 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1724876415, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4e-05, + connect = 0, pretransfer = 0.000106, starttransfer = 0.091381, + total = 0.091408)), class = "response") diff --git a/tests/testthat/chemical/chemical/file/image/search/by-dtxsid/DTXSID7020182.R b/tests/testthat/chemical/chemical/file/image/search/by-dtxsid/DTXSID7020182.R index 0cac302..124eab5 100644 --- a/tests/testthat/chemical/chemical/file/image/search/by-dtxsid/DTXSID7020182.R +++ b/tests/testthat/chemical/chemical/file/image/search/by-dtxsid/DTXSID7020182.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/file/image/search/by-dtxsid/DTXSID7020182", status_code = 200L, headers = structure(list(`content-type` = "image/png", `content-length` = "22764", connection = "keep-alive", - date = "Tue, 21 May 2024 17:14:06 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:15 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "96c37a7f-d950-4053-523e-9c1a954ef102", + `x-vcap-request-id` = "04b088a0-b9ce-4cf7-6730-c9c9ab8993c9", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Miss from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "xGunFRLjlKSQZpbe5US7MG50wqwJI8mLaZnXQvXV4GCfHUypXUPn3Q=="), class = c("insensitive", + `x-cache` = "Miss from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "Vq3buwohZeo2iFN6nNyDDuteBANaDBtNAwmipXx3NVCD2FCDyBtPAg=="), class = c("insensitive", "list")), all_headers = list(list(status = 200L, version = "HTTP/1.1", headers = structure(list(`content-type` = "image/png", `content-length` = "22764", connection = "keep-alive", - date = "Tue, 21 May 2024 17:14:06 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:15 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "96c37a7f-d950-4053-523e-9c1a954ef102", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "04b088a0-b9ce-4cf7-6730-c9c9ab8993c9", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Miss from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "xGunFRLjlKSQZpbe5US7MG50wqwJI8mLaZnXQvXV4GCfHUypXUPn3Q=="), class = c("insensitive", + `x-cache` = "Miss from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "Vq3buwohZeo2iFN6nNyDDuteBANaDBtNAwmipXx3NVCD2FCDyBtPAg=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -2296,7 +2296,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/file/image/search/by-dtx 0x00, 0x08, 0x19, 0x01, 0x0b, 0x00, 0x00, 0x20, 0x64, 0x04, 0x2c, 0x00, 0x00, 0x80, 0x90, 0xfd, 0x3f, 0xca, 0x71, 0x75, 0x8f, 0x81, 0x96, 0xf0, 0x66, 0x00, 0x00, 0x00, 0x00, 0x49, - 0x45, 0x4e, 0x44, 0xae, 0x42, 0x60, 0x82)), date = structure(1716311646, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4e-05, - connect = 0, pretransfer = 0.00017, starttransfer = 0.253666, - total = 0.321189)), class = "response") + 0x45, 0x4e, 0x44, 0xae, 0x42, 0x60, 0x82)), date = structure(1724876415, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.4e-05, + connect = 0, pretransfer = 0.000143, starttransfer = 0.300726, + total = 0.301422)), class = "response") diff --git a/tests/testthat/chemical/chemical/file/mol/search/by-dtxsid.R b/tests/testthat/chemical/chemical/file/mol/search/by-dtxsid.R index 6fc76fc..8437262 100644 --- a/tests/testthat/chemical/chemical/file/mol/search/by-dtxsid.R +++ b/tests/testthat/chemical/chemical/file/mol/search/by-dtxsid.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/file/mol/search/by-dtxsid/", status_code = 404L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:14:06 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:15 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "05635b2e-0982-49b6-70ec-d9c54d7603b1", + `x-vcap-request-id` = "d26e9368-0203-42c5-4903-426025904256", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "D6iLrg42L0A8m08C6uw9lNLC3UCtdHdY9fWyt2L9LbOR00r8UinHTw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "oFeyacwp5Smm2DDzr_QDDPFGOedZBiyXpuOhYUQ6HBzlSAr0hIuxyQ=="), class = c("insensitive", "list")), all_headers = list(list(status = 404L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:14:06 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:15 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "05635b2e-0982-49b6-70ec-d9c54d7603b1", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "d26e9368-0203-42c5-4903-426025904256", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "D6iLrg42L0A8m08C6uw9lNLC3UCtdHdY9fWyt2L9LbOR00r8UinHTw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "oFeyacwp5Smm2DDzr_QDDPFGOedZBiyXpuOhYUQ6HBzlSAr0hIuxyQ=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -40,7 +40,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/file/mol/search/by-dtxsi 0x2f, 0x66, 0x69, 0x6c, 0x65, 0x2f, 0x6d, 0x6f, 0x6c, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, 0x64, 0x74, 0x78, 0x73, 0x69, 0x64, 0x2f, 0x22, 0x0a, 0x7d - )), date = structure(1716311646, class = c("POSIXct", "POSIXt" - ), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.3e-05, - connect = 0, pretransfer = 0.000161, starttransfer = 0.264645, - total = 0.264674)), class = "response") + )), date = structure(1724876415, class = c("POSIXct", "POSIXt" + ), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.5e-05, + connect = 0, pretransfer = 0.000115, starttransfer = 0.08738, + total = 0.087423)), class = "response") diff --git a/tests/testthat/chemical/chemical/file/mrv/search/by-dtxsid.R b/tests/testthat/chemical/chemical/file/mrv/search/by-dtxsid.R index e857e95..59dd3b3 100644 --- a/tests/testthat/chemical/chemical/file/mrv/search/by-dtxsid.R +++ b/tests/testthat/chemical/chemical/file/mrv/search/by-dtxsid.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/file/mrv/search/by-dtxsid/", status_code = 404L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:14:05 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:14 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "c3748702-c59e-4c6d-5f64-173b699ab4ca", + `x-vcap-request-id` = "cf9b46d6-2074-4b14-55d8-6e24bf271493", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "_k_CMMW0vSkJFYLu2rOiiBeMxOWrajzirdQ7QPQOFFcYKzgnsdLT9Q=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "82mT6bLnyqTDLhxa8_6CRbGWFEMkKhJi1JdS442JbEnav_rbjeqnIQ=="), class = c("insensitive", "list")), all_headers = list(list(status = 404L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:14:05 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:14 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "c3748702-c59e-4c6d-5f64-173b699ab4ca", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "cf9b46d6-2074-4b14-55d8-6e24bf271493", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "_k_CMMW0vSkJFYLu2rOiiBeMxOWrajzirdQ7QPQOFFcYKzgnsdLT9Q=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "82mT6bLnyqTDLhxa8_6CRbGWFEMkKhJi1JdS442JbEnav_rbjeqnIQ=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -40,7 +40,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/file/mrv/search/by-dtxsi 0x2f, 0x66, 0x69, 0x6c, 0x65, 0x2f, 0x6d, 0x72, 0x76, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, 0x64, 0x74, 0x78, 0x73, 0x69, 0x64, 0x2f, 0x22, 0x0a, 0x7d - )), date = structure(1716311645, class = c("POSIXct", "POSIXt" - ), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.5e-05, - connect = 0, pretransfer = 0.000168, starttransfer = 0.139916, - total = 0.139943)), class = "response") + )), date = structure(1724876414, class = c("POSIXct", "POSIXt" + ), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.3e-05, + connect = 0, pretransfer = 0.000112, starttransfer = 0.282723, + total = 0.282772)), class = "response") diff --git a/tests/testthat/chemical/chemical/list.json b/tests/testthat/chemical/chemical/list.json index ffe6ac6..c502dc2 100644 --- a/tests/testthat/chemical/chemical/list.json +++ b/tests/testthat/chemical/chemical/list.json @@ -2,5977 +2,6013 @@ { "id": 950, "type": "federal", - "label": "40 CFR 116.4 Designation of Hazardous Substances (Above Ground Storage Tanks)", "visibility": "PUBLIC", + "label": "40 CFR 116.4 Designation of Hazardous Substances (Above Ground Storage Tanks)", "longDescription": "Hazardous Substance List associated with the Federal Water Pollution Control Act, as amended by the Federal Water Pollution Control Act Amendments of 1972 (Pub. L. 92-500), and as further amended by the Clean Water Act of 1977 (Pub. L. 95-217), 33 U.S.C. 1251 et seq.; and as further amended by the Clean Water Act Amendments of 1978 (Pub. L. 95-676)The current list can be found at 40 CFR 116.4 list<\/a>.

\r\n\r\nOther lists of interest are:

\r\n\r\nList of constituents of motor fuels relevant to leaking underground storage tank sites\r\n
List of constituents of motor fuels relevant to leaking underground storage tank sites<\/a>

\r\n\r\nChemicals present in Underground Storage Tanks\r\n
Chemicals present in Underground Storage Tanks<\/a>

\r\n\r\n\r\n", + "listName": "40CFR1164", "chemicalCount": 333, "createdAt": "2020-06-25T16:01:14Z", "updatedAt": "2022-05-16T14:02:18Z", - "listName": "40CFR1164", "shortDescription": "Hazardous Substance List (40 CFR 116.4)" }, { "id": 446, "type": "federal", - "label": "40CFR355 Extremely Hazardous Substance List and Threshold Planning Quantities", "visibility": "PUBLIC", + "label": "40CFR355 Extremely Hazardous Substance List and Threshold Planning Quantities", "longDescription": "Extremely Hazardous Substance List and Threshold Planning Quantities; Emergency Planning and Release Notification Requirements; Final Rule. (
52 FR 13378<\/a>) This FR notice contains the EHS list of chemicals as published in 1987. This list has been revised over time and should not be used for current compliance purposes. The current EHS list can be found at 40 CFR 355<\/a>.\r\n\r\n\r\n\r\n", + "listName": "40CFR355", "chemicalCount": 354, "createdAt": "2018-01-05T11:40:04Z", "updatedAt": "2022-05-19T09:38:40Z", - "listName": "40CFR355", "shortDescription": "Extremely Hazardous Substance List and Threshold Planning Quantities; Emergency Planning and Release Notification Requirements; Final Rule. (52 FR 13378)" }, { "id": 462, "type": "federal", - "label": "AEGLS: Acute Exposure Guideline Levels", "visibility": "PUBLIC", + "label": "AEGLS: Acute Exposure Guideline Levels", "longDescription": "Acute Exposure Guideline Level (AEGLs) values are intended to protect most individuals in the general population, including those that might be particularly susceptible to the harmful effects of the chemicals. Acute exposure guideline levels (AEGLs) describe the human health effects from once-in-a-lifetime, or rare, exposure to airborne chemicals. Used by emergency responders when dealing with chemical spills or other catastrophic exposures, AEGLs are set through a collaborative effort of the public and private sectors worldwide.", + "listName": "AEGLVALUES", "chemicalCount": 174, "createdAt": "2018-04-20T17:35:30Z", "updatedAt": "2021-06-15T12:41:37Z", - "listName": "AEGLVALUES", "shortDescription": "Acute exposure guideline levels (AEGLs) describe the human health effects from once-in-a-lifetime, or rare, exposure to airborne chemicals." }, { "id": 1026, "type": "federal", - "label": "CATEGORY|WIKILIST|ANTIMICROBIALS: Antimicrobials from Wikipedia", "visibility": "PUBLIC", + "label": "CATEGORY|WIKILIST|ANTIMICROBIALS: Antimicrobials from Wikipedia", "longDescription": "A list of antimicrobials extracted from the Wikipedia Category page: Wikipedia list<\/a>. ", + "listName": "ANTIMICROBIALS", "chemicalCount": 360, "createdAt": "2020-10-08T10:11:45Z", "updatedAt": "2021-06-15T19:18:23Z", - "listName": "ANTIMICROBIALS", "shortDescription": "A list of antimicrobials extracted from Wikipedia." }, { "id": 1293, "type": "federal", - "label": "EPA|ASPECT: EPA’s Airborne Spectral Photometric Environmental Collection Technology (ASPECT)", "visibility": "PUBLIC", + "label": "EPA|ASPECT: EPA’s Airborne Spectral Photometric Environmental Collection Technology (ASPECT)", "longDescription": "Based near Dallas, Texas, and able to deploy within one hour of notification, ASPECT is the nation’s only airborne real-time chemical and radiological detection, infrared and photographic imagery platform. ASPECT is available to assist local, national, and international agencies supporting hazardous substance response, radiological incidents, and situational awareness. ASPECT is available 24/7/365 and can begin collecting data at any site in the continental US within nine hours.", + "listName": "ASPECT", "chemicalCount": 401, "createdAt": "2021-08-27T22:24:49Z", "updatedAt": "2021-08-27T22:25:41Z", - "listName": "ASPECT", "shortDescription": "EPA's ASPECT is the nation’s only airborne real-time chemical and radiological detection, infrared and photographic imagery platform. " }, { "id": 331, "type": "federal", - "label": "ATSDR: Toxic Substances Portal Chemical List ", "visibility": "PUBLIC", + "label": "ATSDR: Toxic Substances Portal Chemical List ", "longDescription": "The Agency for Toxic Substances and Disease Registry (ATSDR) is a federal public health agency of the U.S. Department of Health and Human Services. This list provides direct access to the ATSDR Toxic Substances Portal.", + "listName": "ATSDRLST", "chemicalCount": 200, "createdAt": "2017-03-11T09:46:27Z", "updatedAt": "2021-06-15T19:28:20Z", - "listName": "ATSDRLST", "shortDescription": "The Agency for Toxic Substances and Disease Registry (ATSDR) is a federal public health agency of the U.S. Department of Health and Human Services." }, { "id": 1902, "type": "federal", - "label": "ATSDR: Minimal Risk Levels (MRLs) for Hazardous Substances NAVIGATION", "visibility": "PUBLIC", + "label": "ATSDR: Minimal Risk Levels (MRLs) for Hazardous Substances NAVIGATION", "longDescription": "The Comprehensive Environmental Response, Compensation, and Liability Act (CERCLA) [42 U.S.C. 9604 et seq.<\/a>], as amended by the Superfund Amendments and Reauthorization Act (SARA) [Pub. L. 99 499], requires that the Agency for Toxic Substances and Disease Registry<\/a> (ATSDR) develop jointly with the U.S. Environmental Protection Agency (EPA), in order of priority, a list of hazardous substances most commonly found at facilities on the CERCLA National Priorities List (NPL) (42 U.S.C. 9604(i)(2)<\/a>); prepare toxicological profiles for each substance included on the priority list of hazardous substances, and to ascertain significant human exposure levels (SHELs) for hazardous substances in the environment, and the associated acute, subacute, and chronic health effects (42 U.S.C. 9604(i)(3)); and assure the initiation of a research program to fill identified data needs associated with the substances (42 U.S.C. 9604(i)(5)). The ATSDR Minimal Risk Levels (MRLs) were developed as an initial response to the mandate. An MRL is an estimate of the amount of a chemical a person can eat, drink, or breathe each day without a detectable risk to health. MRLs are developed for health effects other than cancer. MRLs can be made for 3 different time periods [the length of time people are exposed to the chemical: acute (about 1 to 14 days), intermediate (from 15-364 days), and chronic (exposure for more than 364 days)]. It is important to note that MRLs are not intended to define clean up or action levels for ATSDR or other Agencies.

\r\n\r\n
ATSDRMRLSV2 - August 2022<\/a> This list

\r\n\r\n
ATSDRMRLSV1 - November 2018<\/a>", + "listName": "ATSDRMRLS", "chemicalCount": 207, "createdAt": "2024-01-12T13:55:41Z", "updatedAt": "2024-01-14T17:38:26Z", - "listName": "ATSDRMRLS", "shortDescription": "The ATSDR Minimal Risk Levels (MRLs) were developed as an initial response to the Comprehensive Environmental Response, Compensation, and Liability Act (CERCLA) (NAVIGATION)" }, { "id": 564, "type": "federal", - "label": "ATSDR: Minimal Risk Levels (MRLs) for Hazardous Substances (version 1 - November 2018)", "visibility": "PUBLIC", + "label": "ATSDR: Minimal Risk Levels (MRLs) for Hazardous Substances (version 1 - November 2018)", "longDescription": "The Comprehensive Environmental Response, Compensation, and Liability Act (CERCLA) [42 U.S.C. 9604 et seq.<\/a>], as amended by the Superfund Amendments and Reauthorization Act (SARA) [Pub. L. 99 499], requires that the Agency for Toxic Substances and Disease Registry<\/a> (ATSDR) develop jointly with the U.S. Environmental Protection Agency (EPA), in order of priority, a list of hazardous substances most commonly found at facilities on the CERCLA National Priorities List (NPL) (42 U.S.C. 9604(i)(2)<\/a>); prepare toxicological profiles for each substance included on the priority list of hazardous substances, and to ascertain significant human exposure levels (SHELs) for hazardous substances in the environment, and the associated acute, subacute, and chronic health effects (42 U.S.C. 9604(i)(3)); and assure the initiation of a research program to fill identified data needs associated with the substances (42 U.S.C. 9604(i)(5)). The ATSDR Minimal Risk Levels (MRLs) were developed as an initial response to the mandate. An MRL is an estimate of the amount of a chemical a person can eat, drink, or breathe each day without a detectable risk to health. MRLs are developed for health effects other than cancer. MRLs can be made for 3 different time periods [the length of time people are exposed to the chemical: acute (about 1 to 14 days), intermediate (from 15-364 days), and chronic (exposure for more than 364 days)]. It is important to note that MRLs are not intended to define clean up or action levels for ATSDR or other Agencies. (Version 1 - November 2018)\r\n", + "listName": "ATSDRMRLSV1", "chemicalCount": 756, "createdAt": "2018-11-16T13:38:00Z", "updatedAt": "2024-01-12T13:51:40Z", - "listName": "ATSDRMRLSV1", "shortDescription": "The ATSDR Minimal Risk Levels (MRLs) were developed as an initial response to the Comprehensive Environmental Response, Compensation, and Liability Act (CERCLA) (version 1 - November 2018)" }, { "id": 1675, "type": "federal", - "label": "ATSDR: Minimal Risk Levels (MRLs) for Hazardous Substances (Version 2 - December 2022)", "visibility": "PUBLIC", + "label": "ATSDR: Minimal Risk Levels (MRLs) for Hazardous Substances (Version 2 - December 2022)", "longDescription": "The Comprehensive Environmental Response, Compensation, and Liability Act (CERCLA) [42 U.S.C. 9604 et seq.<\/a>], as amended by the Superfund Amendments and Reauthorization Act (SARA) [Pub. L. 99 499], requires that the Agency for Toxic Substances and Disease Registry<\/a> (ATSDR) develop jointly with the U.S. Environmental Protection Agency (EPA), in order of priority, a list of hazardous substances most commonly found at facilities on the CERCLA National Priorities List (NPL) (42 U.S.C. 9604(i)(2)<\/a>); prepare toxicological profiles for each substance included on the priority list of hazardous substances, and to ascertain significant human exposure levels (SHELs) for hazardous substances in the environment, and the associated acute, subacute, and chronic health effects (42 U.S.C. 9604(i)(3)); and assure the initiation of a research program to fill identified data needs associated with the substances (42 U.S.C. 9604(i)(5)). The ATSDR Minimal Risk Levels (MRLs) were developed as an initial response to the mandate. An MRL is an estimate of the amount of a chemical a person can eat, drink, or breathe each day without a detectable risk to health. MRLs are developed for health effects other than cancer. MRLs can be made for 3 different time periods [the length of time people are exposed to the chemical: acute (about 1 to 14 days), intermediate (from 15-364 days), and chronic (exposure for more than 364 days)]. It is important to note that MRLs are not intended to define clean up or action levels for ATSDR or other Agencies. (Last Updated 12/12/2022 based on August 2022 release of MRL values<\/a>)", + "listName": "ATSDRMRLSV2", "chemicalCount": 207, "createdAt": "2022-12-12T19:59:21Z", "updatedAt": "2024-01-14T17:35:50Z", - "listName": "ATSDRMRLSV2", "shortDescription": "The ATSDR Minimal Risk Levels (MRLs) were developed as an initial response to the Comprehensive Environmental Response, Compensation, and Liability Act (CERCLA). (Version 2 - December 2022)\r\n" }, { "id": 1024, "type": "federal", - "label": "ATSDR Toxicological Profiles", "visibility": "PUBLIC", + "label": "ATSDR Toxicological Profiles", "longDescription": "Toxicological Profiles (Tox Profiles) are a unique compilation of toxicological information on a given hazardous substance. Each peer-reviewed Tox Profile reflects a comprehensive and extensive evaluation, summary, and interpretation of available toxicological and epidemiological information on a substance. A full list of Toxicological Profiles is available online<\/a>.", + "listName": "ATSDRPROFILES", "chemicalCount": 212, "createdAt": "2020-09-28T10:32:17Z", "updatedAt": "2021-06-15T19:29:34Z", - "listName": "ATSDRPROFILES", "shortDescription": "Toxicological Profiles (Tox Profiles) are a unique compilation of toxicological information on a given hazardous substance. " }, { "id": 1348, "type": "federal", - "label": "Navigation Panel to Biosolid Lists", "visibility": "PUBLIC", + "label": "Navigation Panel to Biosolid Lists", "longDescription": "Biosolids lists change over time and are versioned iteratively. This panel navigates between the various versions which will be released over time. \r\nThe list of substances displayed below represents the latest iteration of biosolids (BIOSOLOIDS2021 - November 2021). For the versioned lists please use the hyperlinked lists below.

\r\n\r\n
BIOSOLIDS2021 - November 2021<\/a>

\r\n\r\n
BIOSOLIDS2022 - December 2022<\/a>

", + "listName": "BIOSOLIDS", "chemicalCount": 726, "createdAt": "2021-12-19T11:00:24Z", "updatedAt": "2023-09-26T13:28:20Z", - "listName": "BIOSOLIDS", "shortDescription": "Biosolids lists change over time and are versioned iteratively. This panel navigates between the various versions." }, { "id": 1327, "type": "federal", - "label": "LIST: Chemicals in biosolids (2021)", "visibility": "PUBLIC", + "label": "LIST: Chemicals in biosolids (2021)", "longDescription": "Biosolids are a product of the wastewater treatment process. During wastewater treatment the liquids are separated from the solids. Those solids are then treated physically and chemically to produce a semisolid, nutrient-rich product known as biosolids. The terms ‘biosolids’ and ‘sewage sludge’ are often used interchangeably.
Section 405(d) of the Clean Water Act (CWA)<\/a> \r\n requires the United States Environmental Protection Agency (EPA) to (1) develop a regulation to establish pollutant limits and management practices to protect human health and the environment from any reasonably anticipated adverse effects of pollutants that might be present in sewage sludge; and (2) review sewage sludge regulations every two years to identify any additional pollutants that may occur in biosolids and to set regulations for pollutants identified in biosolids if sufficient scientific evidence shows they may harm human health or the environment. The regulation 40 CFR Part 503, Standards for the Use or Disposal of Sewage Sludge<\/a> \r\n, was published on February 19, 1993 (58 FR 9248). Part 503 established pollutants limits for ten metals. Since 1993, EPA has conducted eight biennial reviews<\/a> \r\n and three national sewage sludge surveys<\/a> \r\n to review additional pollutants found in biosolids and assess possible exposure from those chemicals. To date, 726 chemicals have been found in biosolids. You can learn more about the curation of the list of chemical pollutants here: https://www.nature.com/articles/s41597-022-01267-9<\/a>. Concentration data is also available for 484 chemical pollutants detected in the three national sewage sludge surveys here: Supplementary Information Table 4 (https://www.nature.com/articles/s41597-022-01267-9#Sec11)<\/a>. To view all the microbial pollutants found in biosolids see Table B-1, Chemical and Microbial Pollutants Identified in Biosolids in Biennial Review No. 8<\/a>. (Last Updated November 9th 2021)\r\n", + "listName": "BIOSOLIDS2021", "chemicalCount": 726, "createdAt": "2021-11-09T16:57:37Z", "updatedAt": "2022-10-05T22:30:53Z", - "listName": "BIOSOLIDS2021", "shortDescription": "Chemicals detected in biosolids (nutrient-rich organic materials produced from wastewater treatment facilities) (Last Updated November 9th 2021)" }, { "id": 1613, "type": "federal", - "label": "LIST: Chemicals in biosolids (2022)", "visibility": "PUBLIC", + "label": "LIST: Chemicals in biosolids (2022)", "longDescription": "Biosolids are a product of the wastewater treatment process. During wastewater treatment the liquids are separated from the solids. Those solids are then treated physically and chemically to produce a semisolid, nutrient-rich product known as biosolids. The terms ‘biosolids’ and ‘sewage sludge’ are often used interchangeably though biosolids typically means treated sewage sludge that meet federal and state requirements and are applied to land as a soil amendment. Section 405(d) of the Clean Water Act (CWA)<\/a> \r\n requires the United States Environmental Protection Agency (EPA) to (1) develop a regulation to establish pollutant limits and management practices to protect human health and the environment from any reasonably anticipated adverse effects of pollutants that might be present in sewage sludge; and (2) review sewage sludge regulations every two years to identify any additional pollutants that may occur in biosolids and to set regulations for pollutants identified in biosolids if sufficient scientific evidence shows they may harm human health or the environment. The regulation 40 CFR Part 503, Standards for the Use or Disposal of Sewage Sludge<\/a> \r\n, was published on February 19, 1993 (58 FR 9248). Part 503 established pollutants limits for ten metals. Since 1993, EPA has conducted nine biennial reviews<\/a> \r\n and three national sewage sludge surveys<\/a> \r\n to identify additional pollutants found in biosolids. To date, 739 chemicals have been found in biosolids. You can learn more about the curation of the list of chemical pollutants through 2021 here: https://www.nature.com/articles/s41597-022-01267-9<\/a>. Concentration data is also available for 484 chemical pollutants detected in the three national sewage sludge surveys here: Supplementary Information Table 4 (https://www.nature.com/articles/s41597-022-01267-9#Sec11)<\/a>. To view all the microbial pollutants found in biosolids see Appendix B, ‘Table B-3: Microbial Pollutants Identified in Biosolids’ in Biennial Report No.9 (Reporting Period 2020-2021)<\/a>. (Last Updated December 21st, 2022).", + "listName": "BIOSOLIDS2022", "chemicalCount": 739, "createdAt": "2022-10-05T22:32:34Z", "updatedAt": "2022-12-23T00:41:26Z", - "listName": "BIOSOLIDS2022", "shortDescription": "Chemicals detected in biosolids (nutrient-rich organic materials produced from wastewater treatment facilities) (Last Updated December 21st 2022)" }, { "id": 1634, "type": "federal", - "label": "WATER|EPA: Chemical Contaminants - Navigation Panel to Chemical Candidate Lists", "visibility": "PUBLIC", + "label": "WATER|EPA: Chemical Contaminants - Navigation Panel to Chemical Candidate Lists", "longDescription": "The Safe Drinking Water Act (SDWA), as amended in 1996, requires the United States Environmental Protection Agency (EPA) to publish every five years a list of drinking water contaminants, known as the Contaminant Candidate List (CCL), that at the time of publication:
\r\n•\tare not subject to any proposed or promulgated National Primary Drinking Water Regulation,
\r\n•\tare known or anticipated to occur in public water systems (PWSs), and
\r\n•\tmay require regulation under the SDWA.

\r\n\r\nThe CCLs provided in the CompTox dashboard are versioned iteratively and this description navigates between the various versions of the lists. The list of substances displayed below represents the latest iteration of the list (CCL 5 - November 2022) and only display the chemical contaminants. The CCL 5 PFAS list is listed separately. For the versioned lists please use the hyperlinked lists below.

\r\n\r\n
CCL5 - November 2022<\/a> This list

\r\n
CCL4 - November 2016<\/a>

\r\n
CCL3 - October 2009<\/a>

\r\n
CCL2 - February 2005<\/a>

\r\n
CCL1 - March 1998<\/a>

", + "listName": "CCL", "chemicalCount": 92, "createdAt": "2022-10-21T18:35:26Z", "updatedAt": "2022-10-26T20:04:17Z", - "listName": "CCL", "shortDescription": "Chemical Candidate Lists are versioned iteratively and this panel navigates between the various versions." }, { "id": 1630, "type": "federal", - "label": "WATER|EPA: Chemical Contaminants - CCL 1", "visibility": "PUBLIC", + "label": "WATER|EPA: Chemical Contaminants - CCL 1", "longDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that, at the time of publication, are not subject to any proposed or promulgated national primary drinking water regulations, but are known or anticipated to occur in public water systems. Contaminants listed on the CCL may require future regulation under the Safe Drinking Water Act (SDWA). EPA announced the
first Drinking Water Contaminant Candidate List (CCL 1)<\/a> on March 2, 1998. The CCL Chemical Candidate Lists are versioned iteratively and this description navigates between the various versions of the lists. The list of substances displayed below represents only the chemical CCL 1 contaminants. CCL 1 includes 47 individually listed chemicals and 3 chemical groups (Alachlor ESA and other acetanilide pesticide degradation products, organotins and triazines and degradation products of triazines). The triazines group includes but is not limited to Cyanazine (CASN 21725-46-2) and atrazine-desethyl (CASN 6190-65-4). For the versioned lists, please use the hyperlinked lists below.

\r\n\r\n
CCL5 - November 2022<\/a>

\r\n
CCL4 - November 2016<\/a>

\r\n
CCL3 - October 2009<\/a>

\r\n
CCL2 - February 2005<\/a>

\r\n
CCL1 - March 1998<\/a> This list

", + "listName": "CCL1", "chemicalCount": 50, "createdAt": "2022-10-21T17:28:58Z", "updatedAt": "2022-10-27T09:38:03Z", - "listName": "CCL1", "shortDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that are known or anticipated to occur in public water systems. Version 1 is known as CCL 1." }, { "id": 1631, "type": "federal", - "label": "WATER|EPA: Chemical Contaminants - CCL 2", "visibility": "PUBLIC", + "label": "WATER|EPA: Chemical Contaminants - CCL 2", "longDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that, at the time of publication, are not subject to any proposed or promulgated national primary drinking water regulations, but are known or anticipated to occur in public water systems. Contaminants listed on the CCL may require future regulation under the Safe Drinking Water Act (SDWA). EPA announced the
second Drinking Water Contaminant Candidate List (CCL 2)<\/a> on February 23, 2005. The CCL Chemical Candidate Lists are versioned iteratively and this description navigates between the various versions of the lists. The list of substances displayed below represents only the chemical CCL 2 contaminants. CCL 2 includes 39 individually listed chemicals and 3 chemical groups (Alachlor ESA and other acetanilide pesticide degradation products, organotins, and triazines and degradation products of triazines). For the versioned lists, please use the hyperlinked lists below.

\r\n\r\n
CCL5 - November 2022<\/a>

\r\n
CCL4 - November 2016<\/a>

\r\n
CCL3 - October 2009<\/a>

\r\n
CCL2 - February 2005<\/a> This list

\r\n
CCL1 - March 1998<\/a>

", + "listName": "CCL2", "chemicalCount": 42, "createdAt": "2022-10-21T17:33:26Z", "updatedAt": "2022-10-26T20:24:14Z", - "listName": "CCL2", "shortDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that are known or anticipated to occur in public water systems. Version 2 is known as CCL 2.\r\n\r\n" }, { "id": 1632, "type": "federal", - "label": "WATER|EPA: Chemical Contaminants - CCL 3", "visibility": "PUBLIC", + "label": "WATER|EPA: Chemical Contaminants - CCL 3", "longDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that, at the time of publication, are not subject to any proposed or promulgated national primary drinking water regulations, but are known or anticipated to occur in public water systems. Contaminants listed on the CCL may require future regulation under the Safe Drinking Water Act (SDWA). EPA announced the
third Drinking Water Contaminant Candidate List (CCL 3)<\/a> on October 8, 2009. The CCL Chemical Candidate Lists are versioned iteratively and this description navigates between the various versions of the lists. The list of substances displayed below represents only the chemical CCL 3 contaminants. CCL 3 includes 103 individually listed chemicals and 1 chemical group (cyanotoxins). For the versioned lists, please use the hyperlinked lists below.

\r\n\r\n\r\n
CCL5 - November 2022<\/a>

\r\n
CCL4 - November 2016<\/a>

\r\n
CCL3 - October 2009<\/a> This list

\r\n
CCL2 - February 2005<\/a>

\r\n
CCL1 - March 1998<\/a>

", + "listName": "CCL3", "chemicalCount": 106, "createdAt": "2022-10-21T17:58:30Z", "updatedAt": "2022-10-27T09:45:21Z", - "listName": "CCL3", "shortDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that are known or anticipated to occur in public water systems. Version 3 is known as CCL 3.\r\n\r\n" }, { "id": 443, "type": "federal", - "label": "WATER|EPA: Chemical Contaminants - CCL 4", "visibility": "PUBLIC", + "label": "WATER|EPA: Chemical Contaminants - CCL 4", "longDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that, at the time of publication, are not subject to any proposed or promulgated national primary drinking water regulations, but are known or anticipated to occur in public water systems. Contaminants listed on the CCL may require future regulation under the Safe Drinking Water Act (SDWA). EPA announced the
fourth Drinking Water Contaminant Candidate List (CCL 4)<\/a> on November 17, 2016. The CCL 4 includes 97 chemicals or chemical groups and 12 microbial contaminants. The group of cyanotoxins on CCL 4 includes, but is not limited to: anatoxin-a, cylindrospermopsin, microcystins, and saxitoxin. The CCL Chemical Candidate Lists are versioned iteratively and this description navigates between the various versions of the lists. The list of substances displayed below represents only the chemical CCL 4 contaminants. For the versioned lists, please use the hyperlinked lists below.

\r\n\r\n
CCL5 - November 2022<\/a>

\r\n
CCL4 - November 2016<\/a> \r\n This list

\r\n
CCL3 - October 2009<\/a>

\r\n
CCL2 - February 2005<\/a>

\r\n
CCL1 - March 1998<\/a>

", + "listName": "CCL4", "chemicalCount": 100, "createdAt": "2017-12-28T17:58:36Z", "updatedAt": "2022-10-26T21:14:27Z", - "listName": "CCL4", "shortDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that are known or anticipated to occur in public water systems. Version 4 is known as CCL 4." }, { "id": 1636, "type": "federal", - "label": "WATER|EPA: Chemical Contaminants - CCL 5", "visibility": "PUBLIC", + "label": "WATER|EPA: Chemical Contaminants - CCL 5", "longDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that, at the time of publication, are not subject to any proposed or promulgated national primary drinking water regulations, but are known or anticipated to occur in public water systems. Contaminants listed on the CCL may require future regulation under the Safe Drinking Water Act (SDWA). EPA announced the
fifth Drinking Water Contaminant Candidate List (CCL 5)<\/a> on November 2nd 2022. The CCL 5 includes 66 individually listed chemicals, 3 chemical groups (cyanotoxins, disinfection byproducts (DBPs), per- and polyfluoroalkyl substances (PFAS)), and 12 microbial contaminants (not displayed in the CompTox List below). The group of cyanotoxins include, but is not limited to: anatoxin-a, cylindrospermopsin, microcystins, and saxitoxin. The DBP group includes 23 unregulated DBPs that were either publicly nominated and/or among the top chemicals in the CCL 5 Universe. For the purposes of CCL 5, the PFAS group includes chemicals that contain at least one of these three structures:

\r\n•\tR-(CF2)-CF(R′)R′′, where both the CF2 and CF moieties are saturated carbons, and none of the R groups can be hydrogen
\r\n•\tR-CF2OCF2-R′, where both the CF2 moieties are saturated carbons, and none of the R groups can be hydrogen
\r\n•\tCF3C(CF3)RR′, where all the carbons are saturated, and none of the R groups can be hydrogen

\r\n\r\nThe CompTox dashboard also includes a separate list of PFAS (
WATER|EPA: Chemical Contaminants - CCL 5 PFAS subset<\/a>) that meet the CCL 5 structural definition.

\r\nThe CCL Chemical Candidate Lists are versioned iteratively and this description navigates between the various versions of the lists. The list of substances displayed below represents only the chemical CCL 4 contaminants. For the versioned lists, please use the hyperlinked lists below.

\r\n\r\n\r\n
CCL5 - November 2022<\/a> This list

\r\n
CCL4 - November 2016<\/a>

\r\n
CCL3 - October 2009<\/a>

\r\n
CCL2 - February 2005<\/a>

\r\n
CCL1 - March 1998<\/a>

", + "listName": "CCL5", "chemicalCount": 93, "createdAt": "2022-10-26T21:40:56Z", "updatedAt": "2022-10-28T11:52:25Z", - "listName": "CCL5", "shortDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that are known or anticipated to occur in public water systems. Version 5 is known as CCL 5." }, { "id": 1615, "type": "federal", - "label": "WATER|EPA: Chemical Contaminants - CCL 5 PFAS subset", "visibility": "PUBLIC", + "label": "WATER|EPA: Chemical Contaminants - CCL 5 PFAS subset", "longDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that are currently not subject to any proposed or promulgated national primary drinking water regulations, but are known or anticipated to occur in public water systems. Contaminants listed on the CCL may require future regulation under the Safe Drinking Water Act (SDWA). EPA announced the Final Contaminant Candidate List 5 on November 2nd 2022. \r\n\r\nFor the purpose of CCL 5, excluding PFOA and PFOS, the structural definition of per- and polyfluoroalkyl substances (PFAS) includes chemicals that contain at least one of these three structures: \r\n1) R-(CF2)-CF(R′)R′′, where both the CF2 and CF moieties are saturated carbons, and none of the R groups can be hydrogen \r\n2) R-CF2OCF2-R′, where both the CF2 moieties are saturated carbons, and none of the R groups can be hydrogen\r\n3) CF3C(CF3)RR′, where all the carbons are saturated, and none of the R groups can be hydrogen \r\n\r\n\r\nThe Final CCL 5 includes 69 chemicals or chemical groups and 12 microbial contaminants. The CCL 5 list is available
here<\/a>

.\r\n", + "listName": "CCL5PFAS", "chemicalCount": 10246, "createdAt": "2022-10-07T11:02:35Z", "updatedAt": "2022-10-29T23:06:51Z", - "listName": "CCL5PFAS", "shortDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that are known or anticipated to occur in public water systems. EPA announced the Final Contaminant Candidate List 5 on November 2nd 2022." }, { "id": 1321, "type": "federal", - "label": "CDR: Chemical Data Reporting 2016 ", "visibility": "PUBLIC", + "label": "CDR: Chemical Data Reporting 2016 ", "longDescription": "The
Chemical Data Reporting (CDR) rule<\/a> under the Toxic Substances Control Act (TSCA), requires manufacturers (including importers) to provide EPA with information on the production and use of chemicals in commerce.
\r\n\r\nUnder the CDR rule, EPA collects basic exposure-related information including information on the types, quantities and uses of chemical substances produced domestically and imported into the United States. The CDR database constitutes the most comprehensive source of basic screening-level, exposure-related information on chemicals available to EPA, and is used by the Agency to protect the public from potential chemical risks.
\r\n\r\nThe information is collected every four years from manufacturers (including importers) of certain chemicals in commerce generally when production volumes for the chemical are 25,000 lbs or greater for a specific reporting year. Collecting the information every four years assures that EPA and (for non-confidential data) the public have access to up-to-date information on chemicals.
\r\n\r\nThe CDR rule is required by section 8(a) of the Toxic Substances Control Act (TSCA) and was formerly known as the Inventory Update Rule (IUR).
", + "listName": "CDR2016", "chemicalCount": 8035, "createdAt": "2021-10-18T21:59:48Z", "updatedAt": "2021-10-18T22:25:46Z", - "listName": "CDR2016", "shortDescription": "Chemical Data Reporting (CDR) 2016 Use data. " }, { "id": 1608, "type": "federal", - "label": "CDR: Chemical Data Reporting 2020", "visibility": "PUBLIC", + "label": "CDR: Chemical Data Reporting 2020", "longDescription": "The
Chemical Data Reporting (CDR) rule<\/a> under the Toxic Substances Control Act (TSCA), requires manufacturers (including importers) to provide EPA with information on the production and use of chemicals in commerce.
\r\n\r\nUnder the CDR rule, EPA collects basic exposure-related information including information on the types, quantities and uses of chemical substances produced domestically and imported into the United States. The CDR database constitutes the most comprehensive source of basic screening-level, exposure-related information on chemicals available to EPA, and is used by the Agency to protect the public from potential chemical risks.
\r\n\r\nThe information is collected every four years from manufacturers (including importers) of certain chemicals in commerce generally when production volumes for the chemical are 25,000 lbs or greater for a specific reporting year. Collecting the information every four years assures that EPA and (for non-confidential data) the public have access to up-to-date information on chemicals.
\r\n\r\nThe CDR rule is required by section 8(a) of the Toxic Substances Control Act (TSCA) and was formerly known as the Inventory Update Rule (IUR).
\r\n\r\nThe CDR2020 data are accessible from the
Access CDR Data<\/a> page. The dataset registered here is for the set of chemicals with CAS Registry Numbers and excludes the ~600 chemicals without CASRNs and/or flagged as provisional. (Last Updated 9/16/2022)\r\n\r\n", + "listName": "CDR2020", "chemicalCount": 8033, "createdAt": "2022-09-16T19:30:54Z", "updatedAt": "2022-09-16T23:01:42Z", - "listName": "CDR2020", "shortDescription": "Chemical Data Reporting (CDR) 2020 Use data." }, { "id": 315, "type": "federal", - "label": "EPA|CHEMINV: EPA Chemical Inventory for ToxCast (20170203)", "visibility": "PUBLIC", + "label": "EPA|CHEMINV: EPA Chemical Inventory for ToxCast (20170203)", "longDescription": "CHEMINV consists of the full list of unique DSSTox substance records mapped to the historical chemical inventory of physical samples registered by EPA's ToxCast Chemical Contractor (Evotec) in their sample tracking database since the launch of the ToxCast program in 2007. The CHEMINV file includes all chemical samples procured by Evotec for possible inclusion in EPA's ToxCast program since the start of the program in 2007, as well as a relatively small set of donated or EPA-supplied samples that were shipped to Evotec to be included in EPA's physical sample library. The list includes all samples received and registered by Evotec, but all samples were not necessarily solubilized or plated for testing, i.e., the full list includes volatiles, DMSO insolubles, depleted chemicals, and discarded chemicals deemed too dangerous for storage and handling. All physical samples plated for screening in the ToxCast program (TOXCAST), which includes EPA's full contribution to the Tox21 screening program (TOX21SL), are included as a subset of CHEMINV, as is the full list of samples currently available for ToxCast plating. Hence, the CHEMINV inventory file is a snapshot of all past and present samples. The CHEMINV file provides a complete historical record of chemicals that were prioritized for inclusion in EPA's ToxCast and Tox21 screening programs based on multiple criteria (toxicity data, exposure potential, use, etc.), and that were successfully procured by (or provided to) EPA's ToxCast Chemical Contractor (Evotec) for possible inclusion in those programs. The CHEMINV file is a subset of EPA's ChemTrack database (CHEMTRACK), the latter including all chemicals for which ToxCast or Tox21 screening data have been generated. CHEMTRACK additionally includes reference chemicals for which data were provided by ToxCast collaborators, as well as Tox21 chemicals not in EPA's physical inventory that were separately provided by Tox21 federal testing partners (the National Institutes of Health's National Toxicology Program and National Center for Advancing Translational Sciences). A detailed description of EPA's chemical management system and the DSSTox curation associated with chemical registration and mapping of the CHEMINV file is provided in the published document available for download at:\r\nhttps://www.epa.gov/chemical-research/toxcast-chemicals-data-management-and-quality-considerations-overview<\/a>\r\nFor more information on EPA’s ToxCast program, see:\r\nhttps://www.epa.gov/chemical-research/toxicity-forecasting<\/a>\r\nhttps://www.epa.gov/chemical-research/toxicity-forecasting", + "listName": "CHEMINV", "chemicalCount": 5231, "createdAt": "2017-02-13T19:38:12Z", "updatedAt": "2019-05-18T20:49:47Z", - "listName": "CHEMINV", "shortDescription": "CHEMINV is full list of unique DSSTox substances mapped to historical chemical inventory of physical samples registered by EPA's ToxCast Chemical Contractor (Evotec) since launch of ToxCast program in 2007. " }, { "id": 185, "type": "federal", - "label": "EPA|CHEMINV: EPA ToxCast ChemInventory DMSO Insolubles at 20mM", "visibility": "PUBLIC", + "label": "EPA|CHEMINV: EPA ToxCast ChemInventory DMSO Insolubles at 20mM", "longDescription": "Group of chemicals within EPA's ToxCast physical sample library found to be insoluble in DMSO at a target concentration of 20mM. A subset of these chemicals were soluble at 5-15mM and were included in ToxCast testing and in the TOXCST inventory.", + "listName": "CHEMINV_dmsoinsolubles", "chemicalCount": 558, "createdAt": "2016-02-10T15:47:01Z", "updatedAt": "2019-05-18T20:50:45Z", - "listName": "CHEMINV_dmsoinsolubles", "shortDescription": "Chemicals in EPA's ToxCast physical sample library CHEMINV insoluble in DMSO " }, { "id": 187, "type": "federal", - "label": "EPA|CHEMINV: EPA ToxCast ChemInventory list of reactives", "visibility": "PUBLIC", + "label": "EPA|CHEMINV: EPA ToxCast ChemInventory list of reactives", "longDescription": "ToxCast Chemical inventory (CHEMINV) physical sample library list of chemicals that were deemed too reactive to include in HTS testing. ", + "listName": "CHEMINV_reactives", "chemicalCount": 24, "createdAt": "2016-02-10T17:08:06Z", "updatedAt": "2019-05-18T20:54:45Z", - "listName": "CHEMINV_reactives", "shortDescription": "ToxCast Chemical inventory (CHEMINV) physical sample library list of chemicals that were deemed too reactive to include in HTS testing. " }, { "id": 188, "type": "federal", - "label": "EPA|CHEMINV: EPA ToxCast ChemInventory chemicals with stability problems", "visibility": "PUBLIC", + "label": "EPA|CHEMINV: EPA ToxCast ChemInventory chemicals with stability problems", "longDescription": "ToxCast chemical inventory (CHEMINV) physical sample library list of chemicals that were determined to have stability problems such that they decompose over time in DMSO. ", + "listName": "CHEMINV_stability", "chemicalCount": 34, "createdAt": "2016-02-10T17:10:02Z", "updatedAt": "2019-05-18T20:55:06Z", - "listName": "CHEMINV_stability", "shortDescription": "ToxCast chemical inventory (CHEMINV) physical sample library list of chemicals that were determined to have stability problems such that they decompose over time in DMSO." }, { "id": 186, "type": "federal", - "label": "EPA|CHEMINV: EPA ToxCast CHEMINV list of volatiles", "visibility": "PUBLIC", + "label": "EPA|CHEMINV: EPA ToxCast CHEMINV list of volatiles", "longDescription": "List of chemicals in EPA's ToxCast ChemInventory physical sample library that were labeled as volatile (empty on reweigh when stored in closed frozen vials). A subset of the list was included in the ToxCast testing library after solubilization or prior to this determination, so are also included in TOXCST. ", + "listName": "CHEMINV_volatiles", "chemicalCount": 130, "createdAt": "2016-02-10T17:03:23Z", "updatedAt": "2019-05-18T20:54:25Z", - "listName": "CHEMINV_volatiles", "shortDescription": "List of volatile chemicals in EPA ToxCast chemical inventory physical sample library, CHEMINV" }, { "id": 316, "type": "federal", - "label": "Chemical and Products Database v1", "visibility": "PUBLIC", + "label": "Chemical and Products Database v1", "longDescription": "This is a list of chemicals reported in the EPA's Chemical and Products Database from the supplementary info file associated with the Nature Scientific Data article https://www.nature.com/articles/sdata2018125<\/a> (original release February 14th 2017).", + "listName": "CPDATv1", "chemicalCount": 45358, "createdAt": "2017-02-14T10:17:56Z", "updatedAt": "2024-03-13T02:40:53Z", - "listName": "CPDATv1", "shortDescription": "Chemicals contained in the EPA's Chemical and Products Database: Version 1 (original release February 14th 2017)\r\n\r\n" }, { - "id": 1103, + "id": 2132, "type": "federal", - "label": "Clean Water Act (CWA) Section 311(b)(2)(A) list", "visibility": "PUBLIC", - "longDescription": "The Clean Water Act (CWA) Section 311(b)(2)(A) requires EPA to compile a list of hazardous substances which, when discharged to navigable waters or adjoining shorelines, present an imminent and substantial danger to the public health or welfare. This includes danger to fish, shellfish, wildlife, and beaches. CWA 311-HS: includes 40 CFR parts 116 and 117 Part 116-Designation of Hazardous Substances Part 117-Determination of Reportable Quantities of Hazardous Substances", - "chemicalCount": 391, - "createdAt": "2021-04-06T12:25:53Z", - "updatedAt": "2021-04-06T12:33:43Z", + "label": "Clean Water Act (CWA) Section 311(b)(2)(A) list", + "longDescription": "The Clean Water Act (CWA) Section 311(b)(2)(A) requires EPA to compile a list of hazardous substances which, when discharged to navigable waters or adjoining shorelines, present an imminent and substantial danger to the public health or welfare. This includes danger to fish, shellfish, wildlife, and beaches. CWA 311-HS: includes 40 CFR parts 116 and 117 Part 116-Designation of Hazardous Substances Part 117-Determination of Reportable Quantities of Hazardous Substances (Last updated 8/18/2024)", "listName": "CWA311HS", + "chemicalCount": 380, + "createdAt": "2024-08-18T00:58:31Z", + "updatedAt": "2024-08-18T01:06:59Z", "shortDescription": "Clean Water Act (CWA) Section 311(b)(2)(A) list of hazardous substances" }, { "id": 1986, "type": "federal", - "label": "DEA Schedule 1 Drugs", "visibility": "PUBLIC", + "label": "DEA Schedule 1 Drugs", "longDescription": "Schedule I drugs, substances, or chemicals are defined as drugs with no currently accepted medical use and a high potential for abuse. Some examples of Schedule I drugs are: heroin, lysergic acid diethylamide (LSD), marijuana (cannabis), 3,4-methylenedioxymethamphetamine (ecstasy), methaqualone, and peyote.\r\n\r\nThe Alphabetical listing of Controlled Substances is available online here<\/a>.", + "listName": "DEASCHED1", "chemicalCount": 275, "createdAt": "2024-02-07T20:06:11Z", "updatedAt": "2024-02-07T20:21:22Z", - "listName": "DEASCHED1", "shortDescription": "Schedule I drugs, substances, or chemicals are defined as drugs with no currently accepted medical use and a high potential for abuse. " }, { "id": 1987, "type": "federal", - "label": "DEA Schedule 2 Drugs", "visibility": "PUBLIC", + "label": "DEA Schedule 2 Drugs", "longDescription": "Schedule II drugs, substances, or chemicals are defined as drugs with a high potential for abuse, with use potentially leading to severe psychological or physical dependence. These drugs are also considered dangerous. Some examples of Schedule II drugs are: combination products with less than 15 milligrams of hydrocodone per dosage unit (Vicodin), cocaine, methamphetamine, methadone, hydromorphone (Dilaudid), meperidine (Demerol), oxycodone (OxyContin), fentanyl, Dexedrine, Adderall, and Ritalin\r\n\r\nThe Alphabetical listing of Controlled Substances is available online here<\/a>.", + "listName": "DEASCHED2", "chemicalCount": 58, "createdAt": "2024-02-07T20:26:37Z", "updatedAt": "2024-02-07T20:31:52Z", - "listName": "DEASCHED2", "shortDescription": "Schedule II drugs, substances, or chemicals are defined as drugs with a high potential for abuse, with use potentially leading to severe psychological or physical dependence." }, { "id": 1991, "type": "federal", - "label": "DEA Schedule 3 Drugs", "visibility": "PUBLIC", + "label": "DEA Schedule 3 Drugs", "longDescription": "Schedule III drugs, substances, or chemicals are defined as drugs with a moderate to low potential for physical and psychological dependence. Schedule III drugs abuse potential is less than Schedule I and Schedule II drugs but more than Schedule IV. Some examples of Schedule III drugs are: products containing less than 90 milligrams of codeine per dosage unit (Tylenol with codeine), ketamine, anabolic steroids, testosterone\r\n\r\nThe Alphabetical listing of Controlled Substances is available online here<\/a>.\r\n", + "listName": "DEASCHED3", "chemicalCount": 104, "createdAt": "2024-02-07T23:32:55Z", "updatedAt": "2024-02-08T18:35:04Z", - "listName": "DEASCHED3", "shortDescription": "Schedule III drugs, substances, or chemicals are defined as drugs with a moderate to low potential for physical and psychological dependence. " }, { "id": 1988, "type": "federal", - "label": "DEA Schedule 4 Drugs", "visibility": "PUBLIC", + "label": "DEA Schedule 4 Drugs", "longDescription": "Schedule IV drugs, substances, or chemicals are defined as drugs with a low potential for abuse and low risk of dependence. Some examples of Schedule IV drugs are: Xanax, Soma, Darvon, Darvocet, Valium, Ativan, Talwin, Ambien, Tramadol.\r\n\r\nThe Alphabetical listing of Controlled Substances is available online here<\/a>.\r\n", + "listName": "DEASCHED4", "chemicalCount": 81, "createdAt": "2024-02-07T23:01:52Z", "updatedAt": "2024-02-07T23:02:31Z", - "listName": "DEASCHED4", "shortDescription": "Schedule IV drugs, substances, or chemicals are defined as drugs with a low potential for abuse and low risk of dependence. " }, { "id": 1989, "type": "federal", - "label": "DEA Schedule 5 Drugs", "visibility": "PUBLIC", + "label": "DEA Schedule 5 Drugs", "longDescription": "Schedule V drugs, substances, or chemicals are defined as drugs with lower potential for abuse than Schedule IV and consist of preparations containing limited quantities of certain narcotics. Schedule V drugs are generally used for antidiarrheal, antitussive, and analgesic purposes. Some examples of Schedule V drugs are: cough preparations with less than 200 milligrams of codeine or per 100 milliliters (Robitussin AC), Lomotil, Motofen, Lyrica, Parepectolin.\r\n\r\nThe Alphabetical listing of Controlled Substances is available online here<\/a>.", + "listName": "DEASCHED5", "chemicalCount": 12, "createdAt": "2024-02-07T23:05:29Z", "updatedAt": "2024-02-07T23:06:22Z", - "listName": "DEASCHED5", "shortDescription": "Schedule V drugs, substances, or chemicals are defined as drugs with lower potential for abuse than Schedule IV and consist of preparations containing limited quantities of certain narcotics. " }, { "id": 952, "type": "federal", - "label": "EPA|ECOTOX: Ecotoxicology knowledgebase version 4", "visibility": "PUBLIC", + "label": "EPA|ECOTOX: Ecotoxicology knowledgebase version 4", "longDescription": "The ECOTOX Knowledgebase is a comprehensive, dynamic, curated database that summarizes chemical environmental toxicity data on aquatic life, terrestrial plants, and wildlife. This publically available database includes curated data from over 47,000 publications and is updated quarterly. For more information on the ECOTOX Knowledgebase and to search the ECOTOX records, see: https://cfpub.epa.gov/ecotox/. This is the data snapshot as of June 30 2020. Curation is an ongoing process.\r\n", + "listName": "ECOTOX_v4", "chemicalCount": 13189, "createdAt": "2020-06-30T22:19:23Z", "updatedAt": "2022-06-21T18:41:36Z", - "listName": "ECOTOX_v4", "shortDescription": "ECOTOXicology knowledgebase (ECOTOX) is a comprehensive, publicly available knowledgebase providing single chemical environmental toxicity data on aquatic life, terrestrial plants and wildlife" }, { "id": 1611, "type": "federal", - "label": "EPA|ECOTOX: Ecotoxicology knowledgebase version 5", "visibility": "PUBLIC", + "label": "EPA|ECOTOX: Ecotoxicology knowledgebase version 5", "longDescription": "The ECOTOX Knowledgebase is a comprehensive, dynamic, curated database that summarizes chemical environmental toxicity data on aquatic life, terrestrial plants, and wildlife. This publically available database includes curated data from over 47,000 publications and is updated quarterly. For more information on the ECOTOX Knowledgebase and to search the ECOTOX records, see: https://cfpub.epa.gov/ecotox/. This is the data snapshot as of September 30 2022. Curation is an ongoing process.", + "listName": "ECOTOX_v5", "chemicalCount": 12571, "createdAt": "2022-09-30T20:51:16Z", "updatedAt": "2022-11-08T13:10:47Z", - "listName": "ECOTOX_v5", "shortDescription": "ECOTOXicology knowledgebase (ECOTOX) is a comprehensive, publicly available knowledgebase providing single chemical environmental toxicity data on aquatic life, terrestrial plants and wildlife." }, { "id": 1696, "type": "federal", - "label": "EPA|ECOTOX: Ecotoxicology knowledgebase version 6", "visibility": "PUBLIC", + "label": "EPA|ECOTOX: Ecotoxicology knowledgebase version 6", "longDescription": "The ECOTOX Knowledgebase is a comprehensive, dynamic, curated database that summarizes chemical environmental toxicity data on aquatic life, terrestrial plants, and wildlife. This publically available database includes curated data from over 47,000 publications and is updated quarterly. For more information on the ECOTOX Knowledgebase and to search the ECOTOX records, see: https://cfpub.epa.gov/ecotox/. This is the data snapshot as of February 5th 2023. Curation is an ongoing process.", + "listName": "ECOTOX_v6", "chemicalCount": 12690, "createdAt": "2023-02-05T23:13:55Z", "updatedAt": "2023-02-22T08:46:57Z", - "listName": "ECOTOX_v6", "shortDescription": "ECOTOXicology knowledgebase (ECOTOX) is a comprehensive, publicly available knowledgebase providing single chemical environmental toxicity data on aquatic life, terrestrial plants and wildlife." }, { "id": 568, "type": "federal", - "label": "EPA|ENDOCRINE: EDSP21 Tier 1 Screening Chemicals: List 1", "visibility": "PUBLIC", + "label": "EPA|ENDOCRINE: EDSP21 Tier 1 Screening Chemicals: List 1", "longDescription": "The list of chemicals for initial EDSP Tier 1 Screening under the Endocrine Disruptor Screening Program includes chemicals that the Agency, in its discretion, decided should be tested first, based upon exposure potential. The final EDSP List 1 was announced in a Federal Register Notice<\/a> dated April 15, 2009.

\r\n\r\nThe second list of chemicals for initial EDSP Tier 1 Screening under the Endocrine Disruptor Screening Program includes a large number of pesticides, two perfluorocarbon compounds (PFCs), and four pharmaceuticals (erythromycin, lindane, nitroglycerin, and quinoline). It is available
here<\/a>.", + "listName": "EDSP21LIST1", "chemicalCount": 67, "createdAt": "2018-11-16T14:41:17Z", "updatedAt": "2019-05-18T21:00:25Z", - "listName": "EDSP21LIST1", "shortDescription": "EDSP21 Tier 1 Screening Chemicals: List 1" }, { "id": 569, "type": "federal", - "label": "EPA|ENDOCRINE: EDSP21 Tier 1 Screening Chemicals: List 2", "visibility": "PUBLIC", + "label": "EPA|ENDOCRINE: EDSP21 Tier 1 Screening Chemicals: List 2", "longDescription": "The second list of chemicals for initial EDSP Tier 1 Screening under the Endocrine Disruptor Screening Program includes a large number of pesticides, two perfluorocarbon compounds (PFCs), and four pharmaceuticals (erythromycin, lindane, nitroglycerin, and quinoline). The final EDSP List 2 was announced in a Federal Register Notice<\/a> dated April 15, 2009.

\r\n\r\nThe first list of chemicals for initial EDSP Tier 1 Screening under the Endocrine Disruptor Screening is available
here<\/a>.", + "listName": "EDSP21LIST2", "chemicalCount": 107, "createdAt": "2018-11-16T14:42:41Z", "updatedAt": "2019-05-18T21:01:43Z", - "listName": "EDSP21LIST2", "shortDescription": "EDSP21 Tier 1 Screening Chemicals: List 2" }, { "id": 272, "type": "federal", - "label": "EPA|ENDOCRINE: EDSP Universe of Chemicals", "visibility": "PUBLIC", + "label": "EPA|ENDOCRINE: EDSP Universe of Chemicals", "longDescription": "EPA’s Endocrine Disruptor Screening Program<\/a> (EDSP) evaluates chemicals for potential endocrine disruption and there are thousands of chemicals of interest to the program, which make up the EDSP Universe of Chemicals. EPA researchers developed the EDSP Universe of Chemicals Dashboard to provide access to chemical data on over 1,800 chemicals of interest.\r\nThe purpose of the EDSP Dashboard is to help the Endocrine Disruptor Screening Program evaluate chemicals for endocrine-related activity. The data for this version of the Dashboard comes from various sources:

\r\n•\tRapid, automated (or in vitro high-throughput) chemical screening data generated by the EPA’s Toxicity Forecaster (ToxCast) project and the federal Toxicity Testing in the 21st century (Tox21) collaboration.
\r\n•\tChemical exposure data and prediction models (ExpoCastDB).
\r\n•\tHigh quality chemical structures and annotations (DSSTox).
\r\n•\tPhyschem Properties Database (PhysChemDB).

\r\nThe Dashboard displays bioassay information, bioactivity concentrations, estrogen and androgen receptor (ER and AR) model results, predicted physicochemical properties, and more. Current chemical and bioassay data can be accessed at
https://comptox.epa.gov/dashboard<\/a> and https://www.epa.gov/chemical-research/toxicity-forecaster-toxcasttm-data<\/a> . Published ER (PMID 26272952<\/a>) and AR (PMID 27933809<\/a>) model results are available for citation.

\r\nWhen using the Dashboard, keep in mind:

\r\n•\tThe activity of a chemical in a specific assay does not necessarily mean that it will cause toxicity or an adverse health outcome. There are many factors that determine whether a chemical will cause a specific adverse health outcome. Careful review is required to determine the use of the data in a particular decision context.
\r\n•\tInterpretation of ToxCast data is expected to change over time as both the science and analytical methods improve.
\r\n•\tAdditional substances that are not part of the EDSP’s statutory authority are included since they are relevant to EPA’s ongoing work on the validation of the endocrine and androgen bioactivity models.

\r\nEPA will continuously update chemicals on the EDSP Dashboard to include as much relevant information on chemicals in the EDSP
Universe of Chemicals<\/a> as possible. Some “EDSP Universe of Chemicals” do not have bioactivity information in the EDSP Dashboard because of the incompatibility of some chemicals to be tested in ToxCast (e.g., chemical too volatile, chemical not soluble in DMSO, etc.).

\r\nThe
list of the EDSP Universe of Chemicals<\/a> contains approximately 10,000 chemicals, as defined under FFDCA and SDWA 1996 amendments. \r\nThe Agency has also added test data on as many chemicals as possible to the EDSP Dashboard that were on EDSP List 1<\/a> and EDSP List 2<\/a>:

\r\n\r\n
EDSP List 1<\/a>: The list of chemicals for initial EDSP Tier 1 Screening under the Endocrine Disruptor Screening Program includes chemicals that the Agency, in its discretion, decided should be tested first, based upon exposure potential. The final EDSP List 1 was announced in a Federal Register Notice<\/a> dated April 15, 2009.

\r\n\r\n
EDSP List 2<\/a>: The second list of chemicals for initial EDSP Tier 1 Screening under the Endocrine Disruptor Screening Program includes a large number of pesticides, two perfluorocarbon compounds (PFCs), and four pharmaceuticals (erythromycin, lindane, nitroglycerin, and quinoline). The final EDSP List 2 was announced in a Federal Register Notice<\/a> dated June 14, 2013.

\r\n\r\nA dynamic table of preliminary
ER model scores<\/a> from the EDSP Dashboard resides in EPA's Endocrine Disruption website<\/a>.\r\n", + "listName": "EDSPUoC", "chemicalCount": 10045, "createdAt": "2016-09-19T15:46:21Z", "updatedAt": "2021-08-07T00:49:38Z", - "listName": "EDSPUoC", "shortDescription": "This list of EDSP-related chemicals on the EPA CompTox Dashboard is not a complete listing from the EDSP Universe of Chemicals." }, { "id": 1431, "type": "federal", - "label": "CATEGORY|EPA|BIOPESTICIDES:Office of Pesticide Programs Information Network Biopesticides Subset List", "visibility": "PUBLIC", + "label": "CATEGORY|EPA|BIOPESTICIDES:Office of Pesticide Programs Information Network Biopesticides Subset List", "longDescription": "The Office of Pesticide Programs has migrated all of its major data systems including regulatory and scientific data, workflow tracking and electronic document management into one integrated system, the Office of Pesticide Programs Information Network (OPPIN). OPPIN consolidates information now stored on the mainframe, the OPP LAN, on stand alone computers and in paper copy. This list represents a Biopesticides subset of the larger OPPIN list specifically labeled for use as biopesticides, sourced from https://www.epa.gov/ingredients-used-pesticide-products/biopesticide-active-ingredients<\/a>. (Last updated 8/17/2022 and under constant curation). ", + "listName": "EPABIOPESTICIDES", "chemicalCount": 313, "createdAt": "2022-03-31T17:59:22Z", "updatedAt": "2022-08-17T19:37:02Z", - "listName": "EPABIOPESTICIDES", "shortDescription": "CATEGORY|EPA|BIOPESTICIDES:Office of Pesticide Programs Information Network Biopesticides Subset List" }, { "id": 592, "type": "federal", - "label": "EPA|CHEMINV: ToxCast/Tox21 Chemical inventory available as DMSO solutions (20181123)", "visibility": "PUBLIC", + "label": "EPA|CHEMINV: ToxCast/Tox21 Chemical inventory available as DMSO solutions (20181123)", "longDescription": "EPACHEMINV_AVAIL is a snapshot of the full list of unique DSSTox substances for which DMSO solutions are available through EPA Chemical Contract Services to supply ToxCast and Tox21 cross-partner projects. This inventory includes only those substances deemed soluble in DMSO at 5mM or higher concentrations, and excludes substances marked for volatility or reactivity concerns. EPACHEMINV_AVAIL includes EPA’s previous ToxCast inventory (a subset of (TOXCAST<\/a>) as well as approximately 1300 chemicals donated by the National Toxicology Program (NTP) as part of the Tox21 chemical library consolidation effort. This recently added NTP set represents the full portion of NTP’s original contribution to the Tox21 library (TOX21SL<\/a>) that was deemed to be non-overlapping with EPA’s current ToxCast library.

\r\nOf the total unique chemicals in EPACHEMINV_AVAIL, approximately 6000 were included in the original TOX21SL library (70% of the total), with the remainder in EPACHEMINV_AVAIL resulting from the continuous expansion of EPA’s ToxCast library. The remaining Tox21 chemicals not included in EPACHEMINV were either discontinued or were drugs originally contributed by the Tox21 NCATS (National Center for Advances in Translational Science) partner; future expansion of EPACHEMINV_AVAIL may include newly procured drugs provided by NCATS. Hence, in addition to supplying new ToxCast projects, EPACHEMINV_AVAIL is intended to serve as the new, consolidated TOX21 library moving forward, as outlined in the recently published Tox21 strategic and operational planning document (available at
https://www.ncbi.nlm.nih.gov/pubmed/29529324)<\/a>. The plan articulates areas of focused scientific investment, both in chemical and biological space, to which new Tox21 cross-partner projects will be directed.

\r\nFor more information on EPA’s ToxCast program, see:\r\n
https://www.epa.gov/chemical-research/toxicity-forecasting<\/a>

\r\nFor current information on the Tox21 program, see \r\n
https://tox21.gov/page/home<\/a>

\r\n", + "listName": "EPACHEMINV_AVAIL", "chemicalCount": 6408, "createdAt": "2018-11-21T16:54:55Z", "updatedAt": "2019-05-18T20:55:26Z", - "listName": "EPACHEMINV_AVAIL", "shortDescription": "EPACHEMINV_AVAIL is list of unique DSSTox substances available as DMSO solutions for ToxCast and Tox21 partner projects, managed by EPA Chemical Contract Services." }, { "id": 482, "type": "federal", - "label": "WATER|EPA: Drinking Water Standard and Health Advisories Table", "visibility": "PUBLIC", - "longDescription": "The EPA's Drinking Water Standard and Health Advisories Table summarizes EPA's drinking water regulations and health advisories, as well as reference dose (RFD) and cancer risk values, for drinking water contaminants. The list given is published with Maximum Contaminant Levels (MCLs) and Maximum Contaminant Level Goals (MCLGs).", - "chemicalCount": 212, - "createdAt": "2018-05-04T22:34:47Z", - "updatedAt": "2019-10-21T13:23:27Z", + "label": "WATER|EPA: Drinking Water Standard and Health Advisories Table", + "longDescription": "The EPA's Drinking Water Standard and Health Advisories Table summarizes EPA's drinking water regulations and health advisories, as well as reference dose (RFD) and cancer risk values, for drinking water contaminants. The list given is published with Maximum Contaminant Levels (MCLs) and Maximum Contaminant Level Goals (MCLGs). Updated (8/18/2024) with PFAS chemicals: Perfluorooctanoic acid (PFOA), Perfluorooctanesulfonic acid (PFOS), Hexafluoropropylene Oxide (HFPO) Dimer Acid and its Ammonium Salt, Perfluorobutanesulfonic acid and its Potassium Salt (PFBS)", "listName": "EPADWS", + "chemicalCount": 216, + "createdAt": "2018-05-04T22:34:47Z", + "updatedAt": "2024-08-18T01:19:38Z", "shortDescription": "The EPA's Drinking Water Standard and Health Advisories Table summarizes EPA's drinking water regulations and health advisories, as well as reference dose (RFD) and cancer risk values, for drinking water contaminants." }, { "id": 149, "type": "federal", - "label": "EPA|ECOTOX: Fathead Minnow Acute Toxicity ", "visibility": "PUBLIC", + "label": "EPA|ECOTOX: Fathead Minnow Acute Toxicity ", "longDescription": "The EPA Fathead Minnow Acute Toxicity database was generated by the U.S. EPA Mid-Continental Ecology Division (MED) for the purpose of developing an expert system to predict acute toxicity from chemical structure based on mode of action considerations. Hence, an important and unusual characteristic of this toxicity database is that the 617 tested industrial organic chemicals were expressly chosen to serve as a useful training set for development of predictive quantitative structure-activity relationships (QSARs). A second valuable aspect of this database, from a QSAR modeling perspective, is the inclusion of general mode-of-action (MOA) classifications of acute toxicity response for individual chemicals derived from study results. These MOA assignments are biologically based classifications, allowing definition of chemical similarity based upon biological activity instead of organic chemistry functional class as most commonly employed in QSAR study. MOA classifications should strengthen the scientific basis for construction of individual QSARs. However, it is cautioned that the broad MOA categorizations should not be construed to represent a single molecular mechanism; for example, CNS seizure agents and respiratory inhibitors are known to act through a variety of receptors. The DSSTox EPAFHM database includes information pertaining to organic chemical class assignments (ChemClass_FHM), acute toxicity in fathead minnow (LC50_mg), dose-response assessments (LC50_Ratio, ExcessToxicityIndex), behavioral assessments (FishBehaviorTest), joint toxicity MOA evaluations of mixtures (MOA_MixtureTest), and additional MOA evaluation of fish acute toxicity syndrome (FishAcuteToxSyndrome) in rainbow trout. All of these indicators, to the extent available, were considered in the determination of MOA and, additionally, were used to determine a level of confidence in the MOA assignment for each chemical (MOA_Confidence). ", + "listName": "EPAFHM", "chemicalCount": 617, "createdAt": "2008-02-15T00:00:00Z", "updatedAt": "2018-11-16T21:01:46Z", - "listName": "EPAFHM", "shortDescription": "The EPA Fathead Minnow Acute Toxicity database was generated by the U.S. EPA Mid-Continental Ecology Division (MED)" }, { "id": 1694, "type": "federal", - "label": "EPA| List of Hazardous Air Pollutants", "visibility": "PUBLIC", + "label": "EPA| List of Hazardous Air Pollutants", "longDescription": "Under the Clean Air Act, EPA is required to regulate emissions of hazardous air pollutants. This is the current list of pollutants (Final rule effective: February 4, 2022). \r\n\r\nNOTE: For all listings above which contain the word 'compounds' and for glycol ethers, the following applies: Unless otherwise specified, these listings are defined as including any unique chemical substance that contains the named chemical (i.e., antimony, arsenic, etc.) as part of that chemical's infrastructure.\r\n", + "listName": "EPAHAPS", "chemicalCount": 188, "createdAt": "2023-01-31T20:30:58Z", "updatedAt": "2023-02-01T10:07:45Z", - "listName": "EPAHAPS", "shortDescription": "Under the Clean Air Act, EPA is required to regulate emissions of hazardous air pollutants. This is the current list of pollutants (Final rule effective: February 4, 2022)." }, { "id": 450, "type": "federal", - "label": "WATER|EPA; Chemicals associated with hydraulic fracturing", "visibility": "PUBLIC", + "label": "WATER|EPA; Chemicals associated with hydraulic fracturing", "longDescription": "Chemicals used in hydraulic fracturing fluids and/or identified in produced water from 2005-2013, corresponding to chemicals listed in Appendix H of EPA’s Hydraulic Fracking Drinking Water Assessment Final Report (Dec 2016). Citation: U.S. EPA, Hydraulic Fracturing for Oil and Gas: Impacts from the Hydraulic Fracturing Water Cycle on Drinking Water Resources in the United States (Final Report). U.S. Environmental Protection Agency, Washington, D.C. EPA/600/R-16/236F, 2016.
https://www.epa.gov/hfstudy<\/a>

\r\n\r\n\r\n*Note that Appendix H chemical listings in Tables H-2 and H-4 were mapped to current DSSTox content, which has undergone additional curation since the publication of the original EPA HF Report (Dec 2016). In the few cases where a Chemical Name and CASRN from the original report map to distinct substances (as of Jan 2018), both were included in the current EPAHFR chemical listing for completeness; additionally, 34 previously unmapped chemicals in Table H-5 are now registered in DSSTox (all but 2 assigned CASRN) and, thus, have been added to the current EPAHFR listing.", + "listName": "EPAHFR", "chemicalCount": 1640, "createdAt": "2018-01-29T18:59:12Z", "updatedAt": "2018-11-16T21:02:48Z", - "listName": "EPAHFR", "shortDescription": "EPAHFR lists chemicals associated with hydraulic fracturing from 2005-20013, as reported in EPA’s Hydraulic Fracturing Drinking Water Assessment Final Report (Dec 2016)" }, { "id": 570, "type": "federal", - "label": "WATER|EPA; Chemicals in hydraulic fracturing fluids Table H-2", "visibility": "PUBLIC", + "label": "WATER|EPA; Chemicals in hydraulic fracturing fluids Table H-2", "longDescription": "Table H-2 . Chemicals reported to be used in hydraulic fracturing fluids from 2005-2013 corresponding to chemicals listed in Appendix H of EPA’s Hydraulic Fracking Drinking Water Assessment Final Report (Dec 2016). Citation: U.S. EPA, Hydraulic Fracturing for Oil and Gas: Impacts from the Hydraulic Fracturing Water Cycle on Drinking Water Resources in the United States (Final Report). U.S. Environmental Protection Agency, Washington, D.C. EPA/600/R-16/236F, 2016. https://www.epa.gov/hfstudy\r\n\r\n", + "listName": "EPAHFRTABLE2", "chemicalCount": 1082, "createdAt": "2018-11-16T14:44:27Z", "updatedAt": "2018-11-16T21:03:49Z", - "listName": "EPAHFRTABLE2", "shortDescription": "Table H-2 . Chemicals reported to be used in hydraulic fracturing fluids from 2005-2013" }, { "id": 406, "type": "federal", - "label": "EPA: High Production Volume List ", "visibility": "PUBLIC", + "label": "EPA: High Production Volume List ", "longDescription": "The United States High Production Volume (USHPV) database contains information about chemicals that are included in the High Production Volume (HPV) Challenge Program. Chemicals considered to be HPV are those that are manufactured in or imported into the United States in amounts equal to or greater than one million pounds per year. The goal of the HPV Challenge Program is to complete baseline testing on HPV chemicals by the year 2004. The Environmental Protection Agency (EPA) is challenging the chemical industry to undertake testing on HPV chemicals voluntarily. However, EPA will mandate testing of all HPV chemicals by law under the testing authority of Section 4 of the Toxic Substance Control Act (TSCA).", + "listName": "EPAHPV", "chemicalCount": 4297, "createdAt": "2017-07-25T09:32:45Z", "updatedAt": "2018-11-18T21:50:19Z", - "listName": "EPAHPV", "shortDescription": "The United States High Production Volume (USHPV) database contains information about chemicals that are included in the High Production Volume (HPV) Challenge Program." }, { "id": 165, "type": "federal", - "label": "EPA: Mechanism of Action (MoA) for aquatic toxicity", "visibility": "PUBLIC", + "label": "EPA: Mechanism of Action (MoA) for aquatic toxicity", "longDescription": "The mode of toxic action (MOA) has been recognized as a key determinant of chemical toxicity andas an alternative to chemical class-based predictive toxicity modeling. However, the development of quantitative structure activity relationship (QSAR) and other models has been limited by the avail-ability of comprehensive high quality MOA and toxicity databases. A study developed a dataset of MOA assignments for 1213 chemicals that included a diversity of metals, pesticides, and other organic compounds that encompassed six broad and 31 specific MOAs. MOA assignments were made using a combination of high confidence approaches that included international consensus classifications, QSAR predictions, and weight of evidence professional judgment based on an assessment of structure and literature information. ", + "listName": "EPAMOA", "chemicalCount": 1227, "createdAt": "2015-04-15T13:49:07Z", "updatedAt": "2018-11-18T22:00:30Z", - "listName": "EPAMOA", "shortDescription": "MOAtox: A Comprehensive Mode of Action and Acute Aquatic Toxicity Database for Predictive Model Development" }, { "id": 743, "type": "federal", - "label": "EPA Office of Pesticide Programs Information Network (OPPIN)", "visibility": "PUBLIC", + "label": "EPA Office of Pesticide Programs Information Network (OPPIN)", "longDescription": "The Office of Pesticide Programs has migrated all of its major data systems including regulatory and scientific data, workflow tracking and electronic document management into one integrated system, the Office of Pesticide Programs Information Network (OPPIN). OPPIN consolidates information now stored on the mainframe, the OPP LAN, on stand alone computers and in paper copy.", + "listName": "EPAOPPIN", "chemicalCount": 4071, "createdAt": "2019-10-28T19:31:49Z", "updatedAt": "2023-07-30T13:38:13Z", - "listName": "EPAOPPIN", "shortDescription": "EPA's Office of Pesticide Programs Information Network (OPPIN)" }, { "id": 764, "type": "federal", - "label": "EPA: Provisional Advisory Levels", "visibility": "PUBLIC", + "label": "EPA: Provisional Advisory Levels", "longDescription": "The unanticipated, emergency release of chemicals can cause harm to emergency responders and bystanders. EPA/ORD’s National Homeland Security Research Center (NHSRC) develops health-based Provisional Advisory Levels (PALs) for high priority chemicals including toxic industrial chemicals and chemical warfare agents.These help emergency responders decide whether and for how long humans can be temporarily exposed to unanticipated, uncontrolled chemical releases such as accidents, terrorist attacks and natural disasters. The values are derived using peer reviewed risk assessment methods, and they are specifically tailored to the short term human exposures most associated with emergency releases and clean-up operations. ", + "listName": "EPAPALS", "chemicalCount": 54, "createdAt": "2019-11-16T09:26:25Z", "updatedAt": "2019-11-16T09:47:22Z", - "listName": "EPAPALS", "shortDescription": "Provisional Advisory Levels (PALs) for high priority chemicals including toxic industrial chemicals and chemical warfare agents." }, { "id": 423, "type": "federal", - "label": "PESTICIDES|EPA: Pesticide Chemical Search Database", "visibility": "PUBLIC", + "label": "PESTICIDES|EPA: Pesticide Chemical Search Database", "longDescription": "The entries in this list have been classified in the U.S. as pesticidal “active ingredients” (conventional, antimicrobial, or biopesticidal agents), and were sourced from the Pesticide Chemical Search database (
https://iaspub.epa.gov/apex/pesticides/f?p=chemicalsearch:1<\/a>) created by EPA’s Office of Pesticide Programs.

\r\nChemical Search provides a single point of reference for easy access to information previously published in a variety of locations, including various EPA web pages and Regulations.gov. Chemical search contains the following:
1) More than 20,000 regulatory documents;
2) Links to over 800 dockets in Regulations.gov
3) Links to pesticide tolerance (or maximum residue levels) information;
4) A variety of web services providing easy access to other scientific and regulatory information on particular chemicals from other EPA programs and federal government sources.

\r\nIt should be noted that the Pesticide Chemical Search site is not actively maintained and the various chemicals can be out of date in terms of status.\r\n\r\n\r\n", + "listName": "EPAPCS", "chemicalCount": 4039, "createdAt": "2017-11-07T13:48:05Z", "updatedAt": "2019-10-25T22:10:41Z", - "listName": "EPAPCS", "shortDescription": "The entries in this list have been classified in the U.S. as pesticidal “active ingredients” (conventional, antimicrobial, or biopesticidal agents), and were sourced from the Pesticide Chemical Search database." }, { "id": 1023, "type": "federal", - "label": "CATEGORY|EPA: Pesticide Inerts Fragrance Ingredient List UPDATED 09/16/2020", "visibility": "PUBLIC", + "label": "CATEGORY|EPA: Pesticide Inerts Fragrance Ingredient List UPDATED 09/16/2020", "longDescription": "Inert pesticide ingredients on the Fragrance Ingredient List are nonfood use only, but are subject to additional limitations and requirements, as described in EPA’s guidance on the Pesticides Fragrance Notification Pilot Program. For more information, see:
as defined by EPA<\/a>", + "listName": "EPAPESTINERTFRAG", "chemicalCount": 1334, "createdAt": "2020-09-25T13:48:59Z", "updatedAt": "2023-11-30T15:10:57Z", - "listName": "EPAPESTINERTFRAG", "shortDescription": "EPA Pesticide Inert Fragrance Ingredient List (FIL), nonfood use only UPDATED 09/16/2020" }, { "id": 516, "type": "federal", - "label": "PFAS|EPA: List of 75 Test Samples (Set 1)", "visibility": "PUBLIC", + "label": "PFAS|EPA: List of 75 Test Samples (Set 1)", "longDescription": "Per- and Polyfluoroalkyl Substances (PFAS) list corresponds to 75 samples (Set 1) submitted for the initial testing screens conducted by EPA researchers in collaboration with researchers at the National Toxicology Program. The set of 75 samples consists of 74 unique substances (DTXSID3037709, Potassium perfluorohexanesulfonate duplicated in set, procured from 2 different suppliers). Substances were selected based on a prioritization scheme that considered EPA Agency priorities, exposure/occurrence considerations, availability of animal or in vitro<\/i> toxicity data, and ability to procure in non-gaseous form and solubilize samples in DMSO. For more information, see:\r\nhttps://ehp.niehs.nih.gov/doi/full/10.1289/EHP4555<\/a>\r\n", + "listName": "EPAPFAS75S1", "chemicalCount": 74, "createdAt": "2018-06-29T17:20:24Z", "updatedAt": "2019-02-06T17:08:23Z", - "listName": "EPAPFAS75S1", "shortDescription": "PFAS list corresponds to 75 samples (Set 1) submitted for initial testing screens conducted by EPA researchers in collaboration with researchers at the National Toxicology Program." }, { "id": 603, "type": "federal", - "label": "PFAS|EPA: List of 75 Test Samples (Set 2)", "visibility": "PUBLIC", + "label": "PFAS|EPA: List of 75 Test Samples (Set 2)", "longDescription": "Per- and Polyfluoroalkyl Substances (PFAS) list corresponds to a second set of 75 samples (Set 2) submitted for the testing screens conducted by EPA researchers in collaboration with researchers at the National Toxicology Program. The list of the first set of 75 samples (Set 1) can be accessed at EPAPFAS75S1<\/a>. Substances for both Set 1 and Set 2 were selected based on a prioritization scheme that considered EPA Agency priorities, exposure/occurrence considerations, availability of animal or in vitro<\/i> toxicity data, and ability to procure in non-gaseous form and solubilize samples in DMSO. For more information, see:\r\nhttps://ehp.niehs.nih.gov/doi/full/10.1289/EHP4555<\/a>

Update (20Mar2019): Due to concerns for corrosivity and reactivity, the following 2 PFAS chemicals were removed from Set 2 and were not submitted for testing and analysis: DTXSID9041578, Trifluoroacetic acid, 76-05-1 and DTXSID2044397 Trifluoromethanesulfonic acid, 1493-13-6. \r\n\r\n", + "listName": "EPAPFAS75S2", "chemicalCount": 76, "createdAt": "2019-02-06T16:02:23Z", "updatedAt": "2021-09-28T22:49:25Z", - "listName": "EPAPFAS75S2", "shortDescription": "PFAS list corresponds to a second set of 75 samples (Set 2) submitted for testing screens conducted by EPA researchers in collaboration with researchers at the National Toxicology Program." }, { "id": 929, "type": "federal", - "label": "PFAS|EPA Structure-based Categories", "visibility": "PUBLIC", + "label": "PFAS|EPA Structure-based Categories", "longDescription": "List of registered DSSTox “category substances” representing Per- and Polyfluoroalkyl Substances (PFAS) categories created using ChemAxon’s Markush structure-based query representations. Markush categories can be broad and inclusive of more specific categories or can represent a unique category not overlapping with other registered categories. Each PFAS category registered with a unique DTXSID is considered a generalized substance or “parent ID” that can be associated with one or many “child IDs” (i.e. many parent-child mappings) within the full DSSTox database. These category DTXSIDs can be used to search and retrieve all currently registered DSSTox substances within the category group, and offer an objective, transparent and reproducible structure-based means of defining a category of chemicals. This list and the corresponding category mappings are undergoing continuous curation and expansion.", + "listName": "EPAPFASCAT", "chemicalCount": 112, "createdAt": "2020-05-29T13:21:01Z", "updatedAt": "2021-06-15T17:25:54Z", - "listName": "EPAPFASCAT", "shortDescription": "List of registered DSSTox “category substances” representing PFAS categories created using ChemAxon’s Markush structure-based query representations." }, { "id": 776, "type": "federal", - "label": "PFAS|EPA: New EPA Method Drinking Water", "visibility": "PUBLIC", + "label": "PFAS|EPA: New EPA Method Drinking Water", "longDescription": "EPA is developing and validating a new method for detecting these PFAS in drinking water sources. ", + "listName": "EPAPFASDW", "chemicalCount": 26, "createdAt": "2019-11-16T11:10:32Z", "updatedAt": "2020-04-20T17:30:51Z", - "listName": "EPAPFASDW", "shortDescription": "EPA is developing and validating a new method for detecting these PFAS in drinking water sources. " }, { "id": 519, "type": "federal", - "label": "PFAS|EPA: Chemical Inventory Insoluble in DMSO", "visibility": "PUBLIC", + "label": "PFAS|EPA: Chemical Inventory Insoluble in DMSO", "longDescription": "Per- and Polyfluoroalkyl Substances (PFASs) in EPA’s expanded ToxCast chemical inventory that were determined to be insoluble in DMSO above 5mM concentration. These PFAS chemicals were successfully procured from commercial suppliers (with a small number provided by National Toxicology Program partners) but deemed unsuitable for testing due to limited DMSO solubility. For a complete list of solubilized PFAS in EPA’s inventory, see
https://comptox.epa.gov/dashboard/chemical_lists/EPAPFASINV<\/a>\r\n", + "listName": "EPAPFASINSOL", "chemicalCount": 43, "createdAt": "2018-06-29T20:53:14Z", "updatedAt": "2018-11-16T21:05:48Z", - "listName": "EPAPFASINSOL", "shortDescription": "PFAS chemicals included in EPA’s expanded ToxCast chemical inventory found to be insoluble in DMSO above 5mM." }, { "id": 518, "type": "federal", - "label": "PFAS|EPA: ToxCast Chemical Inventory", "visibility": "PUBLIC", + "label": "PFAS|EPA: ToxCast Chemical Inventory", "longDescription": "Per- and Polyfluoroalkyl Substances (PFAS) included in EPA’s expanded ToxCast chemical inventory and available for testing. These PFAS chemicals were successfully procured from commercial suppliers (with a small number provided by National Toxicology Program partners) and were deemed suitable for testing (i.e., solubilized in DMSO above 5mM, and not gaseous or highly reactive). All or portions of this inventory are being made available to EPA researchers and collaborators to be analyzed and tested in various high-throughput screening (HTS) and high-throughput toxicity (HTT) assays.

The
https://comptox.epa.gov/dashboard/chemical_lists/EPAPFAS75S1<\/a> list is a prioritized subset of this larger chemical inventory.

The
https://comptox.epa.gov/dashboard/chemical_lists/EPAPFASINSOL<\/a> list were chemicals procured, but found to be insoluble in DMSO above 5mM.\r\n", + "listName": "EPAPFASINV", "chemicalCount": 430, "createdAt": "2018-06-29T20:41:08Z", "updatedAt": "2018-11-16T21:06:37Z", - "listName": "EPAPFASINV", "shortDescription": "PFAS chemicals included in EPA’s expanded ToxCast chemical inventory and available for testing." }, { "id": 426, "type": "federal", - "label": "PFAS|EPA: Cross-Agency Research List", "visibility": "PUBLIC", + "label": "PFAS|EPA: Cross-Agency Research List", "longDescription": "EPAPFASRL is a manually curated listing of mainly straight-chain and branched PFAS (Per- & Poly-fluorinated alkyl substances) compiled from various internal, literature and public sources by EPA researchers and program office representatives. Note that this list includes a number of parent, salt and anionic forms of PFAS, the latter being the form detected by mass spectroscopic methods. These different forms are assigned unique DTXSIDs, with a unique structure, CAS (if available) and name, but will collapse to a single form in the MS-ready (or QSAR-ready) structure representations. ", + "listName": "EPAPFASRL", "chemicalCount": 199, "createdAt": "2017-11-16T17:01:14Z", "updatedAt": "2018-11-16T21:07:16Z", - "listName": "EPAPFASRL", "shortDescription": "EPAPFASRL is a manually curated listing of mainly straight-chain and branched PFAS (Per- & Poly-fluorinated alkyl substances) compiled from various internal, literature and public sources by EPA researchers and program office representatives." }, { "id": 876, "type": "federal", - "label": "PFAS|EPA|WATER: PFAS with Validated EPA Drinking Water Methods", "visibility": "PUBLIC", + "label": "PFAS|EPA|WATER: PFAS with Validated EPA Drinking Water Methods", "longDescription": "List of PFAS for which a Standard Drinking Water method (537.1 or 533) exists and which will potentially to be included in UCMR5 (2023-2025)", + "listName": "EPAPFASVALDW", "chemicalCount": 31, "createdAt": "2020-04-20T12:37:25Z", "updatedAt": "2021-09-28T22:51:17Z", - "listName": "EPAPFASVALDW", "shortDescription": "List of PFAS for which a Standard Drinking Water method (537.1 or 533) exists " }, { "id": 1503, "type": "federal", - "label": "EPA Substance Registry Service (May 2022)", "visibility": "PUBLIC", + "label": "EPA Substance Registry Service (May 2022)", "longDescription": "Substance Registry Services (SRS) is the Environmental Protection Agency's (EPA) central system for information about substances that are tracked or regulated by EPA or other sources. It is the authoritative resource for basic information about chemicals, biological organisms, and other substances of interest to EPA and its state and tribal partners.\r\n\r\nThe SRS makes it possible to identify which EPA data systems, environmental statutes, or other sources have information about a substance and which synonym is used by that system or statute. It becomes possible therefore to map substance data across EPA programs regardless of synonym.\r\n\r\nThe system provides a common basis for identification of, and information about:\r\n\r\nChemicals\r\nBiological organisms\r\nPhysical properties\r\nMiscellaneous objects\r\n\r\n(Updated May 2022)", + "listName": "EPASRS2022V2", "chemicalCount": 31352, "createdAt": "2022-05-28T16:02:59Z", "updatedAt": "2022-10-03T09:08:20Z", - "listName": "EPASRS2022V2", "shortDescription": "The Substance Registry Services (SRS) is an EPA resource for information about chemicals, biological organisms, and other substances tracked or regulated by EPA. (Updated May 2022)\r\n" }, { "id": 1693, "type": "federal", - "label": "EPA|EPA Substance Registry Service (January 2023)", "visibility": "PUBLIC", + "label": "EPA|EPA Substance Registry Service (January 2023)", "longDescription": "Substance Registry Services (SRS) is the Environmental Protection Agency's (EPA) central system for information about substances that are tracked or regulated by EPA or other sources. It is the authoritative resource for basic information about chemicals, biological organisms, and other substances of interest to EPA and its state and tribal partners.\r\n\r\nThe SRS makes it possible to identify which EPA data systems, environmental statutes, or other sources have information about a substance and which synonym is used by that system or statute. It becomes possible therefore to map substance data across EPA programs regardless of synonym.\r\n\r\nThe system provides a common basis for identification of, and information about:\r\n\r\nChemicals\r\nBiological organisms\r\nPhysical properties\r\nMiscellaneous objects\r\n\r\n(Updated January 2023)", + "listName": "EPASRS2022V4", "chemicalCount": 93563, "createdAt": "2023-01-29T10:46:52Z", "updatedAt": "2023-04-16T18:58:49Z", - "listName": "EPASRS2022V4", "shortDescription": "The Substance Registry Services (SRS) is an EPA resource for information about chemicals, biological organisms, and other substances tracked or regulated by EPA. (Updated January 2023)" }, { "id": 953, "type": "federal", - "label": "Consolidated List of Lists under EPCRA/CERCLA/CAA §112(r) (June 2019 Version)", "visibility": "PUBLIC", + "label": "Consolidated List of Lists under EPCRA/CERCLA/CAA §112(r) (June 2019 Version)", "longDescription": "The List of Lists is a consolidated list of chemicals subject to:
\r\n\r\nEmergency Planning and Community Right-to-Know Act (EPCRA),
\r\n\r\nComprehensive Environmental Response, Compensation and Liability Act (CERCLA), and
\r\n\r\nSection 112(r) of the Clean Air Act (CAA).
\r\n\r\n", + "listName": "EPCRALISTS", "chemicalCount": 1361, "createdAt": "2020-07-06T22:19:14Z", "updatedAt": "2020-07-06T22:20:59Z", - "listName": "EPCRALISTS", "shortDescription": "The List of Lists is a consolidated list of chemicals subject to: Emergency Planning and Community Right-to-Know Act (EPCRA), Comprehensive Environmental Response, Compensation and Liability Act (CERCLA), and Section 112(r) of the Clean Air Act (CAA). " }, { "id": 572, "type": "federal", - "label": "EPA|ENDOCRINE: Integrated pathway model for the Estrogen Receptor", "visibility": "PUBLIC", + "label": "EPA|ENDOCRINE: Integrated pathway model for the Estrogen Receptor", "longDescription": "Dataset associated with \"Integrated Model of Chemical Perturbations of a Biological Pathway Using 18 In Vitro High-Throughput Screening Assays for the Estrogen Receptor\" by Judson et al.
(LINK)<\/a> A computational network model that integrates 18 in vitro, high-throughput screening assays measuring estrogen receptor (ER) binding, dimerization, chromatin binding, transcriptional activation, and ER-dependent cell proliferation. The network model uses activity patterns across the in vitro assays to predict whether a chemical is an ER agonist or antagonist, or is otherwise influencing the assays through a manner dependent on the physics and chemistry of the technology platform (“assay interference”). The method is applied to a library of 1812 commercial and environmental chemicals, including 45 ER positive and negative reference chemicals. ", + "listName": "ERMODEL", "chemicalCount": 1812, "createdAt": "2018-11-16T14:49:48Z", "updatedAt": "2019-05-18T21:04:11Z", - "listName": "ERMODEL", "shortDescription": "Dataset associated with \"Integrated Model of Chemical Perturbations of a Biological Pathway Using 18 In Vitro High-Throughput Screening Assays for the Estrogen Receptor\" by Judson et al. " }, { "id": 1203, "type": "federal", - "label": "FDA Cumulative Estimated Daily Intake Database", "visibility": "PUBLIC", + "label": "FDA Cumulative Estimated Daily Intake Database", "longDescription": "The database of cumulative estimated daily intakes (CEDIs) was developed by the Office of Food Additive Safety (OFAS) as part of the premarket notification process for food contact substances(FCSs).", + "listName": "FDACEDI", "chemicalCount": 1277, "createdAt": "2021-05-22T21:30:15Z", "updatedAt": "2021-09-29T10:14:07Z", - "listName": "FDACEDI", "shortDescription": "FDA database of cumulative estimated daily intakes" }, { "id": 840, "type": "federal", - "label": "CATEGORY|FOOD: Substances Added to Food (formerly EAFUS)", "visibility": "PUBLIC", + "label": "CATEGORY|FOOD: Substances Added to Food (formerly EAFUS)", "longDescription": "The Substances Added to Food inventory replaces what was previously known as Everything Added to Foods in the United States (EAFUS).\r\n\r\nThe Substances Added to Food inventory includes the following types of ingredients regulated by the U.S. Food and Drug Administration (FDA):\r\n\r\n-Food additives and color additives that are listed in FDA regulations (21 CFR Parts 172, 173 and Parts 73, 74 respectively), and flavoring substances evaluated by FEMA* and JECFA*.\r\n-Generally Recognized as Safe (\"GRAS\") substances that are listed in FDA regulations (21 CFR Parts 182 and 184).\r\n-Substances approved for specific uses in foods prior to September 6, 1958, known as prior-sanctioned substances (21 CFR Part 181).", + "listName": "FDAFOODSUBS", "chemicalCount": 3128, "createdAt": "2020-01-30T08:06:21Z", "updatedAt": "2020-10-28T11:35:14Z", - "listName": "FDAFOODSUBS", "shortDescription": "The Substances Added to Food inventory replaces what was previously known as Everything Added to Foods in the United States (EAFUS)." }, { "id": 151, "type": "federal", - "label": "FDA Center for Drug Evaluation & Research - Maximum (Recommended) Daily Dose ", "visibility": "PUBLIC", + "label": "FDA Center for Drug Evaluation & Research - Maximum (Recommended) Daily Dose ", "longDescription": "FDA Center for Drug Evaluation & Research - Maximum (Recommended) Daily Dose ", + "listName": "FDAMDD", "chemicalCount": 1216, "createdAt": "2008-02-15T00:00:00Z", "updatedAt": "2021-10-04T10:30:19Z", - "listName": "FDAMDD", "shortDescription": "FDA Center for Drug Evaluation & Research - Maximum (Recommended) Daily Dose " }, { "id": 842, "type": "federal", - "label": "FDA Orange Book: Approved Drug Products with Therapeutic Equivalence Evaluations", "visibility": "PUBLIC", + "label": "FDA Orange Book: Approved Drug Products with Therapeutic Equivalence Evaluations", "longDescription": "The publication \"Approved Drug Products with Therapeutic Equivalence Evaluations\" (commonly known as the Orange Book) identifies drug products approved on the basis of safety and effectiveness by the Food and Drug Administration (FDA) under the Federal Food, Drug, and Cosmetic Act (the Act) and related patent and exclusivity information. Chemical names were collected from the ingredients listed in the product.txt file contained within the zipfile available on the \"Orange Book Data Files (compressed)\" link available on this page<\/a>.", + "listName": "FDAORANGE", "chemicalCount": 2039, "createdAt": "2020-02-01T20:52:05Z", "updatedAt": "2023-11-22T08:23:03Z", - "listName": "FDAORANGE", "shortDescription": "The FDA Orange Book: \"Approved Drug Products with Therapeutic Equivalence Evaluations\" " }, { "id": 1206, "type": "federal", - "label": "LIST: FDA UNII List April 12th 2021 Download", "visibility": "PUBLIC", + "label": "LIST: FDA UNII List April 12th 2021 Download", "longDescription": "FDA’s Global Substance Registration System Unique Ingredient Identifiers (UNIIs) file: April 12th 2021 download subset of chemicals with CASRN and/or structure SMILES\r\n\r\nTo this end, FDA’s Health Informatics team, NIH's National Center for Advancing Translational Sciences (NCATS), and the European Medicines Agency (EMA) have collaborated to create a Global Substance Registration System (GSRS) that will enable the efficient and accurate exchange of information on what substances are in regulated products.\r\n\r\nInstead of relying on names--which vary across regulatory domains, countries, and regions—the GSRS knowledge base makes it possible for substances to be defined by standardized, scientific descriptions. It classifies substances as chemical, protein, nucleic acid, polymer, structurally diverse, or mixture as detailed in the ISO 11238 (International Organization for Standardization) and ISO DTS 19844. FDA’s GSRS generates Unique Ingredient Identifiers (UNIIs) used in electronic listings.", + "listName": "FDAUNII0421", "chemicalCount": 61056, "createdAt": "2021-06-01T22:25:07Z", "updatedAt": "2023-12-30T11:52:55Z", - "listName": "FDAUNII0421", "shortDescription": "FDA’s Global Substance Registration System Unique Ingredient Identifiers (UNIIs) file: April 12th 2021 download subset of chemicals with CASRN and/or structure SMILES" }, { "id": 961, "type": "federal", - "label": "GlobalWarming_Title40Part98", "visibility": "PUBLIC", + "label": "GlobalWarming_Title40Part98", "longDescription": "Chemicals listed in Table A-1 to Subpart A of Part 98 - Global Warming Potentials [100-Year Time Horizon] in the electronic code of Federal Regulations (e-CFR)<\/a>.", + "listName": "GLOBALWARMING", "chemicalCount": 165, "createdAt": "2020-07-29T23:39:19Z", "updatedAt": "2024-03-14T20:11:29Z", - "listName": "GLOBALWARMING", "shortDescription": "Chemicals with global warming potentials listed in Table A-1 to Subpart A of Part 98 of the electronic code of Federal Regulations (e-CFR)" }, { "id": 1052, "type": "federal", - "label": "Health-Based Screening Levels for Evaluating Water-Quality Data", "visibility": "PUBLIC", + "label": "Health-Based Screening Levels for Evaluating Water-Quality Data", "longDescription": "Health-Based Screening Levels (HBSLs) are non-enforceable water-quality benchmarks that can be used to (1) supplement U.S. Environmental Protection Agency (USEPA) Maximum Contaminant Levels (MCLs) and Human Health Benchmarks for Pesticides (HHBPs), (2) determine whether contaminants found in surface-water or groundwater sources of drinking water may indicate a potential human-health concern, and (3) help prioritize monitoring efforts. HBSLs were developed by the U.S. Geological Survey (USGS) National Water-Quality Assessment (NAWQA) Project for contaminants without USEPA MCLs or HHBPs.", + "listName": "HBSL", "chemicalCount": 802, "createdAt": "2021-01-25T20:46:41Z", "updatedAt": "2021-02-02T08:37:41Z", - "listName": "HBSL", "shortDescription": "Health-Based Screening Levels (HBSLs) are non-enforceable water-quality benchmarks" }, { "id": 318, "type": "federal", - "label": "EPA; Chemicals mapped to HERO ", "visibility": "PUBLIC", + "label": "EPA; Chemicals mapped to HERO ", "longDescription": "The Health and Environmental Research Online (HERO) database provides an easy way to access and influence the scientific literature behind EPA science assessments.\r\n\r\nThe database includes more than 600,000 scientific references and data from the peer-reviewed literature used by EPA to develop its regulations for the following: Integrated Science Assessments (ISA) that feed into the NAAQS<\/a> review, Provisional Peer Reviewed Toxicity Values (PPRTV<\/a>) that represent human health toxicity values for the Superfund, and the Integrated Risk Information System (IRIS), a database that supports critical agency policymaking for chemical regulation. These assessments supported by HERO characterize the nature and magnitude of health risks to humans and the ecosystem from pollutants and chemicals in the environment.\r\n\r\nHERO is an EVERGREEN database, this means that new studies are continuously added so scientists can keep abreast of current research. Imported references are systematically sorted, classified and made available for search and citation. \r\n\r\nHERO is part of the open government directive<\/a> to conduct business with transparency, participation, and collaboration. Every American has the right to know the data behind EPA's regulatory process. With HERO, the public can participate in the decision-making process.", + "listName": "HEROMAP", "chemicalCount": 495, "createdAt": "2017-02-16T09:35:15Z", "updatedAt": "2018-11-16T21:29:55Z", - "listName": "HEROMAP", "shortDescription": "The Health and Environmental Research Online (HERO) database provides an easy way to access and influence the scientific literature behind EPA science assessments." }, { "id": 761, "type": "federal", - "label": "EPA HTPP Reference Set - Nyffeler et al. 2019", "visibility": "PUBLIC", + "label": "EPA HTPP Reference Set - Nyffeler et al. 2019", "longDescription": "List of chemicals used by EPA researchers to identify reference chemicals for high-throughput phenotypic profiling in U-2 OS cells. List includes 14 reference chemicals from Gustafsdottir et al. 2013 [Gustafsdottir, S. M., et al. \"Multiplex cytological profiling assay to measure diverse cellular states.\" PloS one 8.12 (2013): e80999.], two negative controls and two cytotoxic chemicals. For more information, see: Nyffeler et al., Bioactivity screening of environmental chemicals using high-throughput phenotypic profiling (submitted for publication). See also HTPP2019_SCREEN<\/a>.", + "listName": "HTPP2019_REFSET", "chemicalCount": 18, "createdAt": "2019-11-15T19:10:55Z", "updatedAt": "2022-05-12T05:08:19Z", - "listName": "HTPP2019_REFSET", "shortDescription": "List of chemicals used by EPA researchers to identify reference chemicals for high-throughput phenotypic profiling in U-2 OS cells. " }, { "id": 754, "type": "federal", - "label": "EPA HTPP Screening Set - Nyffeler et al. 2019", "visibility": "PUBLIC", + "label": "EPA HTPP Screening Set - Nyffeler et al. 2019", "longDescription": "List of chemicals screened by EPA researchers in high-throughput phenotypic profiling in U-2 OS cells. For more information, see: Nyffeler et al., Bioactivity screening of environmental chemicals using high-throughput phenotypic profiling<\/a>. See also HTPP2019_REFSET<\/a>.\r\n\r\n\r\n", + "listName": "HTPP2019_SCREEN", "chemicalCount": 462, "createdAt": "2019-11-15T18:59:31Z", "updatedAt": "2022-05-12T05:07:37Z", - "listName": "HTPP2019_SCREEN", "shortDescription": "List of chemicals screened by EPA researchers in high-throughput phenotypic profiling in U-2 OS cells. " }, { "id": 870, "type": "federal", - "label": "EPA: Hazardous Waste P & U Lists", "visibility": "PUBLIC", + "label": "EPA: Hazardous Waste P & U Lists", "longDescription": "A solid waste is a hazardous waste if it is specifically listed as a known hazardous waste or meets the characteristics of a hazardous waste. Listed wastes are wastes from common manufacturing and industrial processes, specific industries and can be generated from discarded commercial products. Characteristic wastes are wastes that exhibit any one or more of the following characteristic properties: ignitability, corrosivity, reactivity or toxicity.\r\n\r\nThe P and U lists<\/a> designate as hazardous waste pure and commercial grade formulations of certain unused chemicals that are being disposed. For a waste to be considered a P- or U-listed waste it must meeting the following three criteria:\r\n\r\nThe waste must contain one of the chemicals listed on the P or U list;\r\nThe chemical in the waste must be unused; and\r\nThe chemical in the waste must be in the form of a commercial chemical product.\r\nEPA defines a commercial chemical product for P and U list purposes as a chemical that is either 100 percent pure, technical (e.g., commercial) grade or the sole active ingredient in a chemical formulation.\r\n\r\nThe P-list identifies acute hazardous wastes from discarded commercial chemical products. The P-list can be found at \r\n40 CFR section 261.33<\/a>. The U-list wastes can be found at 40 CFR section 261.33<\/a>.", + "listName": "HZRDWASTEPU", "chemicalCount": 371, "createdAt": "2020-04-14T12:55:07Z", "updatedAt": "2020-04-14T13:15:33Z", - "listName": "HZRDWASTEPU", "shortDescription": "The P and U Hazardous Waste lists designate as hazardous waste pure and commercial grade formulations of certain unused chemicals that are being disposed." }, { "id": 475, "type": "federal", - "label": "ICCVAM: local lymph node assay (LLNA) 2009", "visibility": "PUBLIC", + "label": "ICCVAM: local lymph node assay (LLNA) 2009", "longDescription": "On behalf of ICCVAM, NICEATM conducted a number of analyses to evaluate the use of the murine local lymph node assay (LLNA) to identify potential skin sensitizers. This list was compiled during those evaluations and includes chemicals with well-characterized activity as skin sensitizers or nonsensitizers. It was originally published in the 2009 ICCVAM Recommended Performance Standards for the Murine Local Lymph Node Assay. The list includes results (positive vs. negative) for each chemical as available for the LLNA, guinea pig maximization or Buehler test, human maximization test, and human patch test allergen tests.", + "listName": "ICCVAMLLNA", "chemicalCount": 22, "createdAt": "2018-05-01T23:00:16Z", "updatedAt": "2018-11-18T18:26:19Z", - "listName": "ICCVAMLLNA", "shortDescription": "On behalf of ICCVAM, NICEATM conducted a number of analyses to evaluate the use of the murine local lymph node assay (LLNA) to identify potential skin sensitizers. " }, { "id": 534, "type": "federal", - "label": "ICCVAM: In vitro ocular toxicity test methods", "visibility": "PUBLIC", + "label": "ICCVAM: In vitro ocular toxicity test methods", "longDescription": "Recommended Substances for Optimization or Validation of In Vitro Ocular Toxicity Test Methods. Published as Appendix H in: Interagency Coordinating Committee on the Validation of Alternative Methods (ICCVAM), NTP Interagency Center for the Evaluation of Alternative Toxicological Methods (NICEATM). ICCVAM test method evaluation report: in vitro ocular toxicity test methods for identifying severe irritants and corrosives. National Institute of Environmental Health Sciences; 2006 Nov. NIH Publication No.: 07-4517.", + "listName": "ICCVAMOCULAR", "chemicalCount": 118, "createdAt": "2018-07-27T23:23:29Z", "updatedAt": "2018-11-18T20:04:36Z", - "listName": "ICCVAMOCULAR", "shortDescription": "Recommended Substances for Optimization or Validation of In Vitro Ocular Toxicity Test Methods" }, { "id": 533, "type": "federal", - "label": "ICCVAM: In Vitro cytotoxicity test methods", "visibility": "PUBLIC", + "label": "ICCVAM: In Vitro cytotoxicity test methods", "longDescription": "Recommended Reference Substances for Evaluation of In Vitro Basal Cytotoxicity Methods for Predicting the Starting Dose for Rodent Acute Oral Toxicity Tests. Published as Table 3-1 in: \r\nInteragency Coordinating Committee on the Validation of Alternative Methods (ICCVAM), NTP Interagency Center for the Evaluation of Alternative Toxicological Methods (NICEATM). ICCVAM test method evaluation report: in vitro cytotoxicity test methods for estimating starting doses for acute oral systemic toxicity tests. National Institute of Environmental Health Sciences; 2006 Nov. NIH Publication No.: 07-4519.", + "listName": "ICCVAMORALTOX", "chemicalCount": 35, "createdAt": "2018-07-27T23:15:40Z", "updatedAt": "2018-11-16T21:35:41Z", - "listName": "ICCVAMORALTOX", "shortDescription": "ICCVAM test method evaluation report: in vitro cytotoxicity test methods for estimating starting doses for acute oral systemic toxicity tests" }, { "id": 474, "type": "federal", - "label": "ICCVAM: Skin Corrosion 2004 collection from NIEHS", "visibility": "PUBLIC", + "label": "ICCVAM: Skin Corrosion 2004 collection from NIEHS", "longDescription": "This is a list of recommended chemicals for evaluation of in vitro skin corrosion test methods originally published in a 2004 ICCVAM performance standards document describing essential test method components for three types of in vitro skin corrosion test methods: membrane barrier test systems (\"MB\"), human skin model systems (\"HSM\", or transcutaneal electrical resistance test systems (\"TER\"). The original file can be downloaded from the NIEHS website at ICCVAM Skin Corrosion 2004<\/a>

", + "listName": "ICCVAMSKIN", "chemicalCount": 58, "createdAt": "2018-04-30T22:52:13Z", "updatedAt": "2018-11-16T21:34:24Z", - "listName": "ICCVAMSKIN", "shortDescription": "This is a list of recommended chemicals for evaluation of in vitro skin corrosion test methods originally published in a 2004 ICCVAM performance standards document. " }, { "id": 1039, "type": "federal", - "label": "PESTICIDES: InertFinder", "visibility": "PUBLIC", + "label": "PESTICIDES: InertFinder", "longDescription": "InertFinder is a database that allows pesticide formulators and other interested parties to easily identify chemicals approved for use as inert ingredients in pesticide products. It will allow registrants developing new products or new product formulations to readily determine which inert ingredients may be acceptable for use and make the same information more readily available to the public. This subset list is the
Non-Food Use chemicals available on InertFinder<\/a>.", + "listName": "INERTNONFOOD", "chemicalCount": 5484, "createdAt": "2020-11-16T20:59:19Z", "updatedAt": "2023-12-29T13:35:01Z", - "listName": "INERTNONFOOD", "shortDescription": "List of chemicals listed in InertFinder as Non-Food Use Chemicals\r\n" }, { "id": 303, "type": "federal", - "label": "EPA: IRIS Chemicals", "visibility": "PUBLIC", + "label": "EPA: IRIS Chemicals", "longDescription": "The IRIS Program is located within EPA’s Center for Public Health and Environmental Assessment (CPHEA) in the Office of Research and Development (ORD). EPA’s IRIS Program identifies and characterizes the health hazards of chemicals found in the environment. Each IRIS assessment can cover a chemical, a group of related chemicals, or a complex mixture. IRIS assessments provide the following toxicity values for health effects resulting from chronic exposure to chemical: Reference Concentration (RfC), Reference Dose (RfD), Cancer descriptors, Oral slope factors (OSF) and Inhalation unit risk (IUR).", + "listName": "IRIS", "chemicalCount": 603, "createdAt": "2017-01-12T12:46:44Z", "updatedAt": "2023-02-21T16:35:04Z", - "listName": "IRIS", "shortDescription": "EPA’s IRIS Program identifies and characterizes the health hazards of chemicals found in the environment. Each IRIS assessment can cover a chemical, a group of related chemicals, or a complex mixture." }, { "id": 1708, "type": "federal", - "label": "EPA: IRIS current non-cancer assessments (as of February 21st 2023)", "visibility": "PUBLIC", + "label": "EPA: IRIS current non-cancer assessments (as of February 21st 2023)", "longDescription": "The IRIS Program is located within EPA’s Center for Public Health and Environmental Assessment (CPHEA) in the Office of Research and Development (ORD). EPA’s IRIS Program identifies and characterizes the health hazards of chemicals found in the environment. Each IRIS assessment can cover a chemical, a group of related chemicals, or a complex mixture. IRIS assessments provide toxicity values and slope factors for health effects resulting from chronic exposure to chemicals. This list contains chemicals with current (non-archived) non-cancer assessments containing reference dose (RfD) and reference concentrations (RfC).", + "listName": "IRISNONCANCER", "chemicalCount": 396, "createdAt": "2023-02-21T09:16:06Z", "updatedAt": "2023-02-21T16:29:26Z", - "listName": "IRISNONCANCER", "shortDescription": "IRIS list containing chemicals with current (non-archived) non-cancer assessments containing reference dose (RfD) and reference concentrations (RfC)." }, { "id": 454, "type": "federal", - "label": "EPA: National-Scale Air Toxics Assessment (NATA)", "visibility": "PUBLIC", + "label": "EPA: National-Scale Air Toxics Assessment (NATA)", "longDescription": "The National-Scale Air Toxics Assessment (NATA) is EPA's ongoing comprehensive evaluation of air toxics in the United States. EPA developed the NATA as a state-of-the-science screening tool for State/Local/Tribal Agencies to prioritize pollutants, emission sources and locations of interest for further study in order to gain a better understanding of risks. NATA assessments do not incorporate refined information about emission sources but, rather, use general information about sources to develop estimates of risks which are more likely to overestimate impacts than underestimate them.\r\n\r\nNATA provides estimates of the risk of cancer and other serious health effects from breathing (inhaling) air toxics in order to inform both national and more localized efforts to identify and prioritize air toxics, emission source types and locations which are of greatest potential concern in terms of contributing to population risk. This in turn helps air pollution experts focus limited analytical resources on areas and or populations where the potential for health risks are highest. Assessments include estimates of cancer and non-cancer health effects based on chronic exposure from outdoor sources, including assessments of non-cancer health effects for Diesel Particulate Matter (PM). Assessments provide a snapshot of the outdoor air quality and the risks to human health that would result if air toxic emissions levels remained unchanged.", + "listName": "NATADB", "chemicalCount": 163, "createdAt": "2018-02-21T12:04:16Z", "updatedAt": "2018-11-16T21:42:01Z", - "listName": "NATADB", "shortDescription": "The National-Scale Air Toxics Assessment (NATA) is EPA's ongoing comprehensive evaluation of air toxics in the United States." }, { "id": 716, "type": "federal", - "label": "LIST: National Health and Nutrition Examination Survey (NHANES) data", "visibility": "PUBLIC", + "label": "LIST: National Health and Nutrition Examination Survey (NHANES) data", "longDescription": "The U.S. Centers for Disease Control and Prevention (CDC) conducts the National Health and Nutrition Examination Survey (NHANES), which has determined representative blood, serum, or urine values for the U.S. population of the chemicals on this list at least once in past twenty years.", + "listName": "NHANES2019", "chemicalCount": 412, "createdAt": "2019-09-15T19:49:15Z", "updatedAt": "2019-09-15T19:50:18Z", - "listName": "NHANES2019", "shortDescription": "U.S. Centers for Disease Control and Prevention (CDC) conducts the National Health and Nutrition Examination Survey (NHANES) data" }, { "id": 399, "type": "federal", - "label": "NIOSH: International Chemical Safety Cards", "visibility": "PUBLIC", + "label": "NIOSH: International Chemical Safety Cards", "longDescription": "The International Chemical Safety Cards (ICSC) summarize essential health and safety information on chemicals for their use at the \"shop floor\" level by workers and employers in factories, agriculture, construction and other work places. ICSC summarize health and safety information collected, verified, and peer reviewed by internationally recognized experts, taking into account advice from manufacturers and Poison Control Centres.\r\n\r\n", + "listName": "NIOSHICSC", "chemicalCount": 1609, "createdAt": "2017-07-21T15:47:01Z", "updatedAt": "2018-11-16T21:45:03Z", - "listName": "NIOSHICSC", "shortDescription": "The International Chemical Safety Cards (ICSC) summarize essential health and safety information on chemicals." }, { "id": 404, "type": "federal", - "label": "NIOSH: Immediately Dangerous To Life or Health Values", "visibility": "PUBLIC", + "label": "NIOSH: Immediately Dangerous To Life or Health Values", "longDescription": "The immediately dangerous to life or health (IDLH) values used by the National Institute for Occupational Safety and Health (NIOSH) as respirator selection criteria were first developed in the mid-1970's. The original IDLH values were developed as part of a joint effort by OSHA and NIOSH called the Standard Completion Program (SCP). The goal of the SCP was to develop substance-specific draft standards with supporting documentation that contained technical information and recommendations needed for the promulgation of new occupational health regulations, such as the IDLH values. The Documentation for Immediately Dangerous to Life or Health (IDLH) Concentrations is a compilation of the rationale and sources of information used by NIOSH during the original determination of 387 SCP IDLH values.", + "listName": "NIOSHIDLH", "chemicalCount": 372, "createdAt": "2017-07-23T06:38:14Z", "updatedAt": "2018-11-16T21:45:44Z", - "listName": "NIOSHIDLH", "shortDescription": "The immediately dangerous to life or health (IDLH) values are used by the National Institute for Occupational Safety and Health (NIOSH) as respirator selection criteria." }, { "id": 401, "type": "federal", - "label": "NIOSH: Pocket Guide to Chemical Hazards", "visibility": "PUBLIC", + "label": "NIOSH: Pocket Guide to Chemical Hazards", "longDescription": "The NIOSH Pocket Guide to Chemical Hazards (NPG) informs workers, employers, and occupational health professionals about workplace chemicals and their hazards. The NPG gives general industrial hygiene information for hundreds of chemicals/classes. The NPG clearly presents key data for chemicals or substance groupings (such as cyanides, fluorides, manganese compounds) that are found in workplaces. The guide offers key facts, but does not give all relevant data. The NPG helps users recognize and control workplace chemical hazards.", + "listName": "NIOSHNPG", "chemicalCount": 615, "createdAt": "2017-07-22T14:47:16Z", "updatedAt": "2018-11-16T21:45:25Z", - "listName": "NIOSHNPG", "shortDescription": "The NIOSH Pocket Guide to Chemical Hazards (NPG) informs workers, employers, and occupational health professionals about workplace chemicals and their hazards." }, { "id": 379, "type": "federal", - "label": "NIOSH: Skin Notation Profiles", "visibility": "PUBLIC", + "label": "NIOSH: Skin Notation Profiles", "longDescription": "The NIOSH skin notations relies on multiple skin notations to provide users a warning on the direct, systemic, and sensitizing effects of exposures of the skin to chemicals. Historically, skin notations have been published in the NIOSH Pocket Guide to Chemical Hazards. This practice will continue with the NIOSH skin notation assignments for each evaluated chemical being integrated as they become available. A support document called a Skin Notation Profile will be developed for each evaluated chemical. The Skin Notation Profile for a chemical will provide information supplemental to the skin notation, including a summary of all relevant data used to aid in determining the hazards associated with skin exposures .", + "listName": "NIOSHSKIN", "chemicalCount": 57, "createdAt": "2017-07-13T09:54:02Z", "updatedAt": "2018-11-18T19:17:01Z", - "listName": "NIOSHSKIN", "shortDescription": "NIOSH skin notations relies on multiple skin notations to provide warnings re. direct, systemic, and sensitizing effects of exposures to chemicals. " }, { "id": 487, "type": "federal", - "label": "US National Response Team Chemical Set", "visibility": "PUBLIC", + "label": "US National Response Team Chemical Set", "longDescription": "The U.S. National Response Team (NRT) is an organization of 15 Federal departments and agencies responsible for coordinating emergency preparedness and response to oil and hazardous substance pollution incidents. The Environment Protection Agency (EPA) and the U.S. Coast Guard (USCG) serve as Chair and Vice Chair respectively. The National Oil and Hazardous Substances Pollution Contingency Plan (NCP) and the Code of Federal Regulations (40 CFR part 300) outline the role of the NRT and Regional Response Teams (RRTs). The response teams are also cited in various federal statutes, including Superfund Amendments and Reauthorization Act (SARA) – Title III and the Hazardous Materials Transportation Act [HMTA]. The chemicals list here is sourced from the Chemical Hazards Page<\/a>\r\n\r\n", + "listName": "NRTCHEMICALS", "chemicalCount": 18, "createdAt": "2018-05-11T16:06:32Z", "updatedAt": "2018-08-15T09:24:16Z", - "listName": "NRTCHEMICALS", "shortDescription": "The U.S. National Response Team (NRT) is an organization of 15 Federal departments and agencies responsible for coordinating emergency preparedness and response to oil and hazardous substance pollution incidents." }, { "id": 481, "type": "federal", - "label": "WATER: National Recommended Water Quality Criteria - Human Health Criteria Table", "visibility": "PUBLIC", + "label": "WATER: National Recommended Water Quality Criteria - Human Health Criteria Table", "longDescription": "Human health ambient water quality criteria represent specific levels of chemicals or conditions in a water body that are not expected to cause adverse effects to human health. EPA provides recommendations for “water + organism” and “organism only” human health criteria for states and authorized tribes to consider when adopting criteria into their water quality standards. These human health criteria are developed by EPA under Section 304(a) of the Clean Water Act. Details are at https://www.epa.gov/wqc/national-recommended-water-quality-criteria-human-health-criteria-table<\/a> \r\n\r\n", + "listName": "NWATRQHHC", "chemicalCount": 116, "createdAt": "2018-05-04T21:34:21Z", "updatedAt": "2018-11-16T21:51:14Z", - "listName": "NWATRQHHC", "shortDescription": "Human health ambient water quality criteria represent specific levels of chemicals or conditions in a water body that are not expected to cause adverse effects to human health. " }, { "id": 849, "type": "federal", - "label": "EPA Regional Screening Levels Data Chemicals List", "visibility": "PUBLIC", + "label": "EPA Regional Screening Levels Data Chemicals List", "longDescription": "The Regional Screening Levels (RSLs) Generic Tables contain chemical-specific parameters necessary for the calculation of Regional screening Levels (RSLs) for Superfund sites. The RSL tables provide comparison values for residential and commercial/industrial exposures to soil, air, and water. The RSLs are primarily used to determine contaminants of potential concern (COPCs). A more expansive description of the Regional Screening Levels (RSLs) Generic Tables is given here<\/a>.", + "listName": "ORNLRSL", "chemicalCount": 1706, "createdAt": "2020-02-17T21:01:10Z", "updatedAt": "2020-02-19T11:53:36Z", - "listName": "ORNLRSL", "shortDescription": "Chemicals associated with the Regional Screening Levels (RSLs) Generic Tables" }, { "id": 1446, "type": "federal", - "label": "Ozone Depleting Substances Class 1", "visibility": "PUBLIC", + "label": "Ozone Depleting Substances Class 1", "longDescription": "List of Ozone Depleting Substances contained in Class 1. The chemicals were sourced from the \r\n Ozone Depleting Substances EPA website<\/a>.", + "listName": "OZONECL1", "chemicalCount": 293, "createdAt": "2022-04-22T18:11:57Z", "updatedAt": "2022-05-28T07:45:55Z", - "listName": "OZONECL1", "shortDescription": "List of Ozone Depleting Substances contained in Class 1" }, { "id": 1447, "type": "federal", - "label": "Ozone Depleting Substances Class 2", "visibility": "PUBLIC", + "label": "Ozone Depleting Substances Class 2", "longDescription": "List of Ozone Depleting Substances contained in Class 2. The chemicals were sourced from the \r\n Ozone Depleting Substances EPA website<\/a>.", + "listName": "OZONECL2", "chemicalCount": 34, "createdAt": "2022-04-22T18:18:27Z", "updatedAt": "2022-04-22T18:21:21Z", - "listName": "OZONECL2", "shortDescription": "List of Ozone Depleting Substances contained in Class 2" }, { "id": 922, "type": "federal", - "label": "EPA: Provisional Advisory Levels (Inhalation)", "visibility": "PUBLIC", + "label": "EPA: Provisional Advisory Levels (Inhalation)", "longDescription": "To support emergency response decisions and ensure the safety of responders and the public after an unanticipated chemical release, EPA researchers developed Provisional Advisory Levels (PALs). PALs are tiered risk values developed for oral and inhalation exposures to high priority chemicals, including toxic industrial chemicals and chemical warfare agents. They are not “safe” levels of exposure – PALs represent exposure scenarios wherein effects of varying severity should be expected to occur; similar to Acute Exposure Guideline Levels (AEGLs).\r\n \r\nPALs are derived using peer reviewed risk assessment methods; they specifically address short term oral and inhalation exposures associated with emergency situations. Three tiers (PAL1, PAL2, and PAL3), distinguished by the severity of expected health outcomes, are developed for 24-hour, 30-day, and 90-day durations of exposure. These risk values can be requested from EPA ORD’s Center for Environmental Solutions and Emergency Response. The PALs Technical Brief<\/a> and Standing Operating Procedure<\/a> are available for download. \r\n\r\nThis set of chemicals represents the list for which INHALATION PALs values are available.\r\n\r\n\r\n", + "listName": "PALSINHALATION", "chemicalCount": 71, "createdAt": "2020-05-15T16:52:19Z", "updatedAt": "2020-05-15T16:53:00Z", - "listName": "PALSINHALATION", "shortDescription": "INHALATION Provisional Advisory Levels (PALs) for high priority chemicals including toxic industrial chemicals and chemical warfare agents." }, { "id": 921, "type": "federal", - "label": "EPA: Provisional Advisory Levels (Oral)", "visibility": "PUBLIC", + "label": "EPA: Provisional Advisory Levels (Oral)", "longDescription": "To support emergency response decisions and ensure the safety of responders and the public after an unanticipated chemical release, EPA researchers developed Provisional Advisory Levels (PALs). PALs are tiered risk values developed for oral and inhalation exposures to high priority chemicals, including toxic industrial chemicals and chemical warfare agents. They are not “safe” levels of exposure – PALs represent exposure scenarios wherein effects of varying severity should be expected to occur; similar to Acute Exposure Guideline Levels (AEGLs).\r\n \r\nPALs are derived using peer reviewed risk assessment methods; they specifically address short term oral and inhalation exposures associated with emergency situations. Three tiers (PAL1, PAL2, and PAL3), distinguished by the severity of expected health outcomes, are developed for 24-hour, 30-day, and 90-day durations of exposure. These risk values can be requested from EPA ORD’s Center for Environmental Solutions and Emergency Response. The PALs Technical Brief<\/a> and Standing Operating Procedure<\/a> are available for download. \r\n\r\nThis set of chemicals represents the list for which ORAL PALs values are available.\r\n\r\n\r\n", + "listName": "PALSORAL", "chemicalCount": 46, "createdAt": "2020-05-15T15:13:39Z", "updatedAt": "2020-05-15T15:14:19Z", - "listName": "PALSORAL", "shortDescription": "ORAL Provisional Advisory Levels (PALs) for high priority chemicals including toxic industrial chemicals and chemical warfare agents." }, { "id": 1705, "type": "federal", - "label": "EPA|PESTICIDES: 2021 Human Health Benchmarks for Pesticides", "visibility": "PUBLIC", + "label": "EPA|PESTICIDES: 2021 Human Health Benchmarks for Pesticides", "longDescription": "Advanced testing methods now allow for the detection of pesticides in water at very low levels. Small amounts of pesticides detected in drinking water or source water for drinking water do not necessarily indicate a health risk to consumers. EPA has developed human health benchmarks for 430 pesticides to provide information to enable Tribes, states, and water systems to evaluate: (1) whether the detection level of a pesticide in drinking water or sources of drinking water may indicate a potential health risk; and (2) to help to prioritize water monitoring efforts.\r\n\r\nThe HHBPs Table includes noncancer benchmarks for exposure to pesticides that may be found in surface or ground water sources of drinking water. Noncancer benchmarks for acute (one-day) and chronic (lifetime) drinking water exposures to each pesticide were derived for the most sensitive life stage, based on the available information. The table also includes cancer benchmarks for 48 of the pesticides that have toxicity information that indicates the potential to lead to cancer. The HHBP table includes pesticides for which EPA’s Office of Pesticide Programs has available toxicity data but for which EPA has not yet developed either enforceable National Primary Drinking Water Regulations (i.e., MCLs) or non-enforceable HAs. The list of 2021 Human Health Benchmarks is available here<\/a>.\r\n", + "listName": "PESTHHBS", "chemicalCount": 448, "createdAt": "2023-02-17T18:45:51Z", "updatedAt": "2023-02-17T18:52:40Z", - "listName": "PESTHHBS", "shortDescription": "EPA has developed human health benchmarks for 430 pesticides." }, { "id": 2084, "type": "federal", - "label": "PFAS|Toxic Substances Control Act Reporting and Recordkeeping Requirements for Perfluoroalkyl and Polyfluoroalkyl Substances: Section 8(a)(7) Rule List of Chemicals", "visibility": "PUBLIC", + "label": "PFAS|Toxic Substances Control Act Reporting and Recordkeeping Requirements for Perfluoroalkyl and Polyfluoroalkyl Substances: Section 8(a)(7) Rule List of Chemicals", "longDescription": "EPA promulgated a reporting and recordkeeping rule for perfluoroalkyl and polyfluoroalkyl substances (PFAS) under the Toxic Substances Control Act (TSCA) section 8(a)(7)<\/a>. Any entity who has manufactured a PFAS that is a TSCA chemical substance for commercial purposes in any year since January 1, 2011, is required to submit certain information to EPA. For the purpose of this TSCA section 8(a)(7) rule, EPA defines PFAS to include at least one of these three structures: 1) R-(CF2<\/sub>)-CF(R’)R”, where both the CF2<\/sub> and CF moieties are saturated carbons; 2) R-CF2<\/sub>OCF2<\/sub>-R’, where R and R’ can either be F, O, or saturated carbons; 3) CF3<\/sub>C(CF3<\/sub>)R’R’’, where R’ and R” can either be F or saturated carbons.<\/br> <\/br>\r\nThe list below is a subset of reportable substances and includes chemicals on the EPA Comptox Chemicals Dashboard that meet this rule’s structural definition of PFAS, including chemical substances from the publicly available TSCA Inventory and Low-Volume Exemption submissions that would meet the structural definition (~10% of the total number of compounds). While this list includes substances beyond the known TSCA universe to provide as comprehensive a list as possible to potential reporting entities, it is not exhaustive and does not contain polymers or UVCBs (Unknown or Variable compositions, Complex reaction products, and Biological materials)<\/a> which may be covered by the rule. Substances that meet the rule’s structural definition but are not found on this list may be found on the TSCA 8(a)(7) PFAS Chemicals list in the System of Registries<\/a>. <\/br> <\/br>\r\nNote that the list could change as the chemicals included on the CompTox Chemicals Dashboard are expanded or otherwise as modified. Such changes will be noted and curated in a transparent manner. Last Updated (April 24th 2024). For the versioned lists please use the hyperlinked lists below.

\r\n\r\n
PFAS8a7v3 - April 24th 2024<\/a> This List

\r\n
PFAS8a7v2 - March 29th 2024<\/a>

\r\n
PFAS8a7V1 - December 6th 2023<\/a>

\r\n", + "listName": "PFAS8a7", "chemicalCount": 13054, "createdAt": "2024-04-24T10:05:04Z", "updatedAt": "2024-04-24T10:06:27Z", - "listName": "PFAS8a7", "shortDescription": "List of PFAS chemicals that meets the TSCA section 8(a)(7) rule structural definition of PFAS" }, { "id": 1890, "type": "federal", - "label": "PFAS|Toxic Substances Control Act Reporting and Recordkeeping Requirements for Perfluoroalkyl and Polyfluoroalkyl Substances: Section 8(a)(7) Rule List of Chemicals (Version 1)", "visibility": "PUBLIC", + "label": "PFAS|Toxic Substances Control Act Reporting and Recordkeeping Requirements for Perfluoroalkyl and Polyfluoroalkyl Substances: Section 8(a)(7) Rule List of Chemicals (Version 1)", "longDescription": "EPA promulgated a reporting and recordkeeping rule for perfluoroalkyl and polyfluoroalkyl substances (PFAS) under the
Toxic Substances Control Act (TSCA) section 8(a)(7)<\/a>. Any entity who has manufactured a PFAS that is a TSCA chemical substance for commercial purposes in any year since January 1, 2011, is required to submit certain information to EPA. For the purpose of this TSCA section 8(a)(7) rule, EPA defines PFAS to include at least one of these three structures: 1) R-(CF2<\/sub>)-CF(R’)R”, where both the CF2<\/sub> and CF moieties are saturated carbons; 2) R-CF2<\/sub>OCF2<\/sub>-R’, where R and R’ can either be F, O, or saturated carbons; 3) CF3<\/sub>C(CF3<\/sub>)R’R’’, where R’ and R” can either be F or saturated carbons.<\/br> <\/br>\r\nThe list below is a subset of reportable substances and includes chemicals on the EPA Comptox Chemicals Dashboard that meet this rule’s structural definition of PFAS, including chemical substances from the publicly available TSCA Inventory and Low-Volume Exemption submissions that would meet the structural definition (~10% of the total number of compounds). While this list includes substances beyond the known TSCA universe to provide as comprehensive a list as possible to potential reporting entities, it is not exhaustive and does not contain polymers or UVCBs (Unknown or Variable compositions, Complex reaction products, and Biological materials)<\/a> which may be covered by the rule. Substances that meet the rule’s structural definition but are not found on this list may be found on the TSCA 8(a)(7) PFAS Chemicals list in the System of Registries<\/a>. <\/br> <\/br>\r\nNote that the list could change as the chemicals included on the CompTox Chemicals Dashboard are expanded or otherwise as modified. Such changes will be noted and curated in a transparent manner. <\/br> <\/br>\r\n(Version 1: created December 6th 2023)\r\n", + "listName": "PFAS8a7v1", "chemicalCount": 11409, "createdAt": "2023-11-06T20:45:20Z", "updatedAt": "2024-03-30T20:26:05Z", - "listName": "PFAS8a7v1", "shortDescription": "List of PFAS chemicals that meets the TSCA section 8(a)(7) rule structural definition of PFAS (Version 1: created December 6th 2023)" }, { "id": 2055, "type": "federal", - "label": "PFAS|Toxic Substances Control Act Reporting and Recordkeeping Requirements for Perfluoroalkyl and Polyfluoroalkyl Substances: Section 8(a)(7) Rule List of Chemicals (Version 2)", "visibility": "PUBLIC", + "label": "PFAS|Toxic Substances Control Act Reporting and Recordkeeping Requirements for Perfluoroalkyl and Polyfluoroalkyl Substances: Section 8(a)(7) Rule List of Chemicals (Version 2)", "longDescription": "EPA promulgated a reporting and recordkeeping rule for perfluoroalkyl and polyfluoroalkyl substances (PFAS) under the Toxic Substances Control Act (TSCA) section 8(a)(7)<\/a>. Any entity who has manufactured a PFAS that is a TSCA chemical substance for commercial purposes in any year since January 1, 2011, is required to submit certain information to EPA. For the purpose of this TSCA section 8(a)(7) rule, EPA defines PFAS to include at least one of these three structures: 1) R-(CF2<\/sub>)-CF(R’)R”, where both the CF2<\/sub> and CF moieties are saturated carbons; 2) R-CF2<\/sub>OCF2<\/sub>-R’, where R and R’ can either be F, O, or saturated carbons; 3) CF3<\/sub>C(CF3<\/sub>)R’R’’, where R’ and R” can either be F or saturated carbons.<\/br> <\/br>\r\nThe list below is a subset of reportable substances and includes chemicals on the EPA Comptox Chemicals Dashboard that meet this rule’s structural definition of PFAS, including chemical substances from the publicly available TSCA Inventory and Low-Volume Exemption submissions that would meet the structural definition (~10% of the total number of compounds). While this list includes substances beyond the known TSCA universe to provide as comprehensive a list as possible to potential reporting entities, it is not exhaustive and does not contain polymers or UVCBs (Unknown or Variable compositions, Complex reaction products, and Biological materials)<\/a> which may be covered by the rule. Substances that meet the rule’s structural definition but are not found on this list may be found on the TSCA 8(a)(7) PFAS Chemicals list in the System of Registries<\/a>. <\/br> <\/br>\r\nNote that the list could change as the chemicals included on the CompTox Chemicals Dashboard are expanded or otherwise as modified. Such changes will be noted and curated in a transparent manner. <\/br> <\/br>\r\n(last updated March 29th 2024)", + "listName": "PFAS8a7v2", "chemicalCount": 12990, "createdAt": "2024-03-30T20:51:20Z", "updatedAt": "2024-03-30T20:53:06Z", - "listName": "PFAS8a7v2", "shortDescription": "List of PFAS chemicals that meets the TSCA section 8(a)(7) rule structural definition of PFAS (last updated March 29th 2024)" }, { "id": 2082, "type": "federal", - "label": "PFAS|Toxic Substances Control Act Reporting and Recordkeeping Requirements for Perfluoroalkyl and Polyfluoroalkyl Substances: Section 8(a)(7) Rule List of Chemicals (Version 3)", "visibility": "PUBLIC", + "label": "PFAS|Toxic Substances Control Act Reporting and Recordkeeping Requirements for Perfluoroalkyl and Polyfluoroalkyl Substances: Section 8(a)(7) Rule List of Chemicals (Version 3)", "longDescription": "EPA promulgated a reporting and recordkeeping rule for perfluoroalkyl and polyfluoroalkyl substances (PFAS) under the Toxic Substances Control Act (TSCA) section 8(a)(7)<\/a>. Any entity who has manufactured a PFAS that is a TSCA chemical substance for commercial purposes in any year since January 1, 2011, is required to submit certain information to EPA. For the purpose of this TSCA section 8(a)(7) rule, EPA defines PFAS to include at least one of these three structures: 1) R-(CF2<\/sub>)-CF(R’)R”, where both the CF2<\/sub> and CF moieties are saturated carbons; 2) R-CF2<\/sub>OCF2<\/sub>-R’, where R and R’ can either be F, O, or saturated carbons; 3) CF3<\/sub>C(CF3<\/sub>)R’R’’, where R’ and R” can either be F or saturated carbons.<\/br> <\/br>\r\nThe list below is a subset of reportable substances and includes chemicals on the EPA Comptox Chemicals Dashboard that meet this rule’s structural definition of PFAS, including chemical substances from the publicly available TSCA Inventory and Low-Volume Exemption submissions that would meet the structural definition (~10% of the total number of compounds). While this list includes substances beyond the known TSCA universe to provide as comprehensive a list as possible to potential reporting entities, it is not exhaustive and does not contain polymers or UVCBs (Unknown or Variable compositions, Complex reaction products, and Biological materials)<\/a> which may be covered by the rule. Substances that meet the rule’s structural definition but are not found on this list may be found on the TSCA 8(a)(7) PFAS Chemicals list in the System of Registries<\/a>. <\/br> <\/br>\r\nNote that the list could change as the chemicals included on the CompTox Chemicals Dashboard are expanded or otherwise as modified. Such changes will be noted and curated in a transparent manner. <\/br> <\/br>\r\n(last updated April 24th 2024)", + "listName": "PFAS8a7v3", "chemicalCount": 13054, "createdAt": "2024-04-24T09:21:53Z", "updatedAt": "2024-04-25T16:31:14Z", - "listName": "PFAS8a7v3", "shortDescription": "List of PFAS chemicals that meets the TSCA section 8(a)(7) rule structural definition of PFAS (last updated April 24th 2024)" }, { "id": 517, "type": "federal", - "label": "PFAS|Markush Structures", "visibility": "PUBLIC", + "label": "PFAS|Markush Structures", "longDescription": "List of all registered DSSTox Per- and Polyfluoroalkyl Substances (PFAS) created using ChemAxon’s Markush structure-based query representations. Markush structures can be broad and represent typical PFAS categories or they can represent mixtures or polymers containing ambiguous or generalized structural elements (s.a., unknown location of substituent, or variable chain length). Each PFAS Markush registered with a unique DTXSID is considered a generalized substance or “parent ID” that can be associated with one or many “child IDs” (i.e., many parent-child mappings) within the full DSSTox database. These mixture or category DTXSIDs can be used to search and retrieve all currently registered DSSTox substances within the group, and offer an objective, transparent and reproducible structure-based means of defining a generalized set of chemicals. This list encompasses the content of another registered list (EPAPFASCAT), the latter containing only the subset representing category mappings. ", + "listName": "PFASMARKUSH", "chemicalCount": 326, "createdAt": "2018-06-29T17:55:55Z", "updatedAt": "2021-12-07T07:29:17Z", - "listName": "PFASMARKUSH", "shortDescription": "List of all registered DSSTox PFAS substances represented by Markush structures, created using ChemAxon’s Markush query representations; includes PFAS category, mixture and polymer types." }, { "id": 1252, "type": "federal", - "label": "PFAS|EPA PFAS Substances in Pesticide Packaging", "visibility": "PUBLIC", + "label": "PFAS|EPA PFAS Substances in Pesticide Packaging", "longDescription": "On March 5, 2021, EPA released testing data showing PFAS contamination from the fluorinated HDPE containers used to store and transport a mosquito control pesticide product. A description of the project is given here.<\/a>", + "listName": "PFASPACKAGING", "chemicalCount": 8, "createdAt": "2021-08-04T22:37:08Z", "updatedAt": "2021-08-04T22:37:33Z", - "listName": "PFASPACKAGING", "shortDescription": "PFAS chemicals detected in fluorinated HDPE containers" }, { "id": 787, "type": "federal", - "label": "PFAS|EPA: PFAS structures in DSSTox (update November 2019)", "visibility": "PUBLIC", + "label": "PFAS|EPA: PFAS structures in DSSTox (update November 2019)", "longDescription": "List consists of all DTXSID records with a structure assigned, and where the structure contains the substructure RCF2CFR'R\" (R cannot be H). The substructure filter is designed to be simple, reproducible and transparent, yet general enough to encompass the largest set of structures having sufficient levels of fluorination to potentially impart PFAS-type properties (update November 2019).", + "listName": "PFASSTRUCTV2", "chemicalCount": 6648, "createdAt": "2019-11-16T16:26:14Z", "updatedAt": "2022-08-19T00:19:48Z", - "listName": "PFASSTRUCTV2", "shortDescription": "List consists of all records with a structure assigned, and using a set of substructural filters. " }, { "id": 1262, "type": "federal", - "label": "PFAS|EPA: PFAS structures in DSSTox (update Aug 2021)", "visibility": "PUBLIC", + "label": "PFAS|EPA: PFAS structures in DSSTox (update Aug 2021)", "longDescription": "List consists of all DTXSID records with a structure assigned and using a set of substructural filters based on community input. The substructural filters (visible here<\/a>) are designed to be simple, reproducible and transparent, yet general enough to encompass the largest set of structures having sufficient levels of fluorination to potentially impart PFAS-type properties. Relative to the previous list (PFASSTRUCTV3<\/a>) the trifluoroacetate substructure has been removed from the substructure filters.", + "listName": "PFASSTRUCTV4", "chemicalCount": 10776, "createdAt": "2021-08-10T18:34:39Z", "updatedAt": "2022-08-19T00:21:03Z", - "listName": "PFASSTRUCTV4", "shortDescription": "List consists of all records with a structure assigned and using a set of substructural filters. " }, { "id": 1603, "type": "federal", - "label": "PFAS|EPA: PFAS structures in DSSTox (update August 2022)", "visibility": "PUBLIC", + "label": "PFAS|EPA: PFAS structures in DSSTox (update August 2022)", "longDescription": "List consists of all records with a structure assigned, and using a combination of a set of substructural filters and percent of fluorine in the molecular formula ignoring all hydrogen atoms. For example, for a compound with the molecular formula C6HF9O6, the percent of fluorine excluding hydrogen contained in the formula would be 9F/(6C + 9F + 6O) = 42%. A threshold of 30% fluorine without hydrogen allows for inclusion of some of the complex highly fluorinated structures. The combination of the set of substructural filters (visible here, where the heteroatom Q can be B, O, N, P, S, or Si<\/a>) are designed to be simple, reproducible and transparent, yet general enough to encompass the largest set of structures having sufficient levels of fluorination to potentially impart PFAS-type properties. The combination of substructural filters and threshold of percentage of fluorination were identified in the development of the manuscript \"A Proposed approach to defining per- and polyfluoroalkyl substances (PFAS) based on molecular structure and formula\" by Gaines et al. ", + "listName": "PFASSTRUCTV5", "chemicalCount": 14735, "createdAt": "2022-08-18T16:39:57Z", "updatedAt": "2022-10-29T19:52:04Z", - "listName": "PFASSTRUCTV5", "shortDescription": "List consists of all records with a structure assigned, and using a set of substructural filters and percent of fluorine in the molecular formula. " }, { "id": 1244, "type": "federal", - "label": "WATER|PFAS: PFAS Chemicals contained in the EPA Drinking Water Treatability Database", "visibility": "PUBLIC", + "label": "WATER|PFAS: PFAS Chemicals contained in the EPA Drinking Water Treatability Database", "longDescription": "The Drinking Water Treatability Database (TDB)<\/a> presents referenced information on the control of contaminants in drinking water. It provides users—including drinking water utilities, primacy agencies, first responders to spills or emergencies, treatment process designers, research organizations, academicians, and others—with current information on more than 30 treatment processes and over 120 regulated and unregulated contaminants, including 26 PFAS chemicals, a total of 38 chemicals when considering salt and acid forms. The referenced information in the TDB comprises bench-, pilot-, and full-scale studies of surface, ground, and laboratory waters gathered from thousands of literature sources, including peer-reviewed journals and conferences, other conferences and symposia, research reports, theses, and dissertations.", + "listName": "PFASTDB", "chemicalCount": 38, "createdAt": "2021-08-01T17:27:40Z", "updatedAt": "2021-08-01T17:41:02Z", - "listName": "PFASTDB", "shortDescription": "The Drinking Water Treatability Database (TDB) presents referenced information on the control of contaminants in drinking water. This list is a subset of PFAS chemicals contained in the TDB." }, { "id": 1869, "type": "federal", - "label": "PFAS: Navigation Panel to PFAS Toxics Release Inventory Lists", "visibility": "PUBLIC", + "label": "PFAS: Navigation Panel to PFAS Toxics Release Inventory Lists", "longDescription": "PFAS Toxics Release Inventory (TRI) structure lists are versioned iteratively and this description navigates between the various versions of the structure lists. The list of structures displayed below represents the latest iteration of structures (PFASTRIV2 - February 2023). For the versioned lists please use the hyperlinked lists below.

\r\n\r\n
PFASTRI2<\/a> - February 2023 This list

\r\n\r\n
PFASTRI1<\/a> - February 2022

", + "listName": "PFASTRI", "chemicalCount": 189, "createdAt": "2023-09-23T11:41:01Z", "updatedAt": "2023-09-23T11:50:36Z", - "listName": "PFASTRI", "shortDescription": "PFAS Toxics Release Inventory (TRI) structure lists are versioned iteratively and this description navigates between the various versions of the structure lists." }, { "id": 1358, "type": "federal", - "label": "PFAS: PFAS to the Toxics Release Inventory (TRI) Program by the National Defense Authorization Act (Version 1)", "visibility": "PUBLIC", + "label": "PFAS: PFAS to the Toxics Release Inventory (TRI) Program by the National Defense Authorization Act (Version 1)", "longDescription": "Section 7321 of the National Defense Authorization Act for Fiscal Year 2020 (P.L. 116-92) (NDAA) added certain Per- and Polyfluoroalkyl Substances (PFAS) to the
TRI list of reportable chemicals<\/a>. The chemicals listed here are reportable to the Toxics Release Inventory (TRI). (Last updated: February 15th, 2022)\r\n\r\n", + "listName": "PFASTRIV1", "chemicalCount": 179, "createdAt": "2022-02-15T09:42:52Z", "updatedAt": "2023-09-23T11:45:18Z", - "listName": "PFASTRIV1", "shortDescription": "The National Defense Authorization Act (2020) added PFAS chemicals to the Toxics Release Inventory (TRI)" }, { "id": 232, "type": "federal", - "label": "EPA: PPRTV Chemical Report", "visibility": "PUBLIC", + "label": "EPA: PPRTV Chemical Report", "longDescription": "PPRTVs are developed for use in the EPA Superfund Program. Requests to try and derive a PPRTV are generally filtered through the EPA Regional Superfund Program, in which the site subject to the request is located. However, Regions typically request PPRTVs regardless of what party is considered the lead agency or is funding response actions on the (Superfund) site, including Fund-lead sites, potential responsible party (PRP) lead sites, State-lead sites, and sites where other Federal agencies may be identified as the lead agency.", + "listName": "PPRTVWEB", "chemicalCount": 407, "createdAt": "2016-06-08T11:23:39Z", "updatedAt": "2019-02-06T10:01:36Z", - "listName": "PPRTVWEB", "shortDescription": "The Provisional Peer-Reviewed Toxicity Values (PPRTVs) currently represent the second tier of human health toxicity values for the EPA Superfund and Resource Conservation and Recovery Act (RCRA) hazardous waste programs." }, { "id": 398, "type": "federal", - "label": "EPA; Superfund Chemical Data Matrix ", "visibility": "PUBLIC", + "label": "EPA; Superfund Chemical Data Matrix ", "longDescription": "The Superfund Chemical Data Matrix (SCDM) generates a list of the corresponding Hazard Ranking System (HRS) factor values, benchmarks, and data elements for a particular chemical.", + "listName": "SCDM", "chemicalCount": 220, "createdAt": "2017-07-19T13:21:54Z", "updatedAt": "2018-11-16T21:58:15Z", - "listName": "SCDM", "shortDescription": "The Superfund Chemical Data Matrix (SCDM) generates a list of the corresponding Hazard Ranking System (HRS) factor values, benchmarks, and data elements for a particular chemical." }, { "id": 791, "type": "federal", - "label": "EPA|SCIL: Safer Chemicals Full List", "visibility": "PUBLIC", + "label": "EPA|SCIL: Safer Chemicals Full List", "longDescription": "The Safer Chemical Ingredients List (SCIL) is a list of chemical ingredients, arranged by functional-use class, that the Safer Choice Program has evaluated and determined to be safer than traditional chemical ingredients. This list is designed to help manufacturers find safer chemical alternatives that meet the criteria of the Safer Choice Program.\r\nBefore Safer Choice decides to include a chemical on the SCIL, a third-party profiler (i.e., NSF, International or ToxServices) gathers hazard information from a broad set of resources, including the identification and evaluation of all available toxicological and environmental fate data. The third party profiler submits a report to Safer Choice, with a recommendation on whether the chemical passes the Criteria for Safer Chemical Ingredients. Safer Choice staff performs due diligence by reviewing the submission for completeness, consistency, and compliance with the Safer Choice Criteria. If more than one third-party has evaluated the chemical, Safer Choice also checks for differences in the profiles and resolves any conflicts. In some cases, Safer Choice may also perform additional literature reviews and consider data from confidential sources, such as EPA's New Chemicals Program. Safer Choice does not typically examine primary literature (original studies) as part of its review and listing decisions.\r\nThe list is not intended to be exclusive. Chemicals may be submitted as part of a formulation that the program has yet to review or a chemical manufacturer may develop a chemical to meet the Safer Choice criteria. If these chemicals meet our criteria, they may be approved for use in Safer Choice-labeled products and added to the SCIL. Chemicals may be removed from the list or have their status changed based on new data or innovations that raise the safer-chemistry bar. Safer Choice will ensure that no confidential or trade secret information appears in this list.", + "listName": "SCILFULL", "chemicalCount": 965, "createdAt": "2019-11-16T17:38:27Z", "updatedAt": "2020-04-23T06:43:39Z", - "listName": "SCILFULL", "shortDescription": "Safer Chemical Ingredients List (SCIL) 2019 " }, { "id": 790, "type": "federal", - "label": "SCIL: Safer Chemicals List Green Circle List", "visibility": "PUBLIC", + "label": "SCIL: Safer Chemicals List Green Circle List", "longDescription": "The Safer Chemical Ingredients List (SCIL) is a list of chemical ingredients, arranged by functional-use class, that the Safer Choice Program has evaluated and determined to be safer than traditional chemical ingredients. This list is designed to help manufacturers find safer chemical alternatives that meet the criteria of the Safer Choice Program.
\r\n\r\n
This subset is the Green circle list - the chemical has been verified to be of low concern based on experimental and modeled data. The other related subsets are:

\r\n\r\n
Green half-circle<\/a> - The chemical is expected to be of low concern based on experimental and modeled data. Additional data would strengthen our confidence in the chemical’s safer status.

\r\n\r\n
Yellow triangle<\/a> - The chemical has met Safer Choice Criteria for its functional ingredient-class, but has some hazard profile issues. Specifically, a chemical with this code is not associated with a low level of hazard concern for all human health and environmental endpoints. While it is a best-in-class chemical and among the safest available for a particular function, the function fulfilled by the chemical should be considered an area for safer chemistry innovation.

\r\n\r\n
Grey square<\/a> - This chemical will not be acceptable for use in products that are candidates for the Safer Choice label and currently labeled products that contain it must reformulate per Safer Choice Compliance Schedules.

\r\n\r\n", + "listName": "SCILGREENCIRCLE", "chemicalCount": 631, "createdAt": "2019-11-16T17:36:25Z", "updatedAt": "2019-11-16T17:36:53Z", - "listName": "SCILGREENCIRCLE", "shortDescription": "Safer Chemical Ingredients List (SCIL) 2019 Green Circle Subset" }, { "id": 792, "type": "federal", - "label": "SCIL: Safer Chemicals List Green Half Circle Subset", "visibility": "PUBLIC", + "label": "SCIL: Safer Chemicals List Green Half Circle Subset", "longDescription": "The Safer Chemical Ingredients List (SCIL) is a list of chemical ingredients, arranged by functional-use class, that the Safer Choice Program has evaluated and determined to be safer than traditional chemical ingredients. This list is designed to help manufacturers find safer chemical alternatives that meet the criteria of the Safer Choice Program.
\r\n\r\n
This subset is the Green half circle list - The chemical is expected to be of low concern based on experimental and modeled data. Additional data would strengthen our confidence in the chemical’s safer status. The other related subsets are:

\r\n\r\n
Green circle<\/a> - the chemical has been verified to be of low concern based on experimental and modeled data.

\r\n\r\n
Yellow triangle<\/a> - The chemical has met Safer Choice Criteria for its functional ingredient-class, but has some hazard profile issues. Specifically, a chemical with this code is not associated with a low level of hazard concern for all human health and environmental endpoints. While it is a best-in-class chemical and among the safest available for a particular function, the function fulfilled by the chemical should be considered an area for safer chemistry innovation.

\r\n\r\n
Grey square<\/a> - This chemical will not be acceptable for use in products that are candidates for the Safer Choice label and currently labeled products that contain it must reformulate per Safer Choice Compliance Schedules.

\r\n\r\n", + "listName": "SCILGREENHALFCIRCLE", "chemicalCount": 115, "createdAt": "2019-11-16T17:40:06Z", "updatedAt": "2019-11-16T17:40:27Z", - "listName": "SCILGREENHALFCIRCLE", "shortDescription": "Safer Chemical Ingredients List (SCIL) 2019 Green Half Circle Subset" }, { "id": 794, "type": "federal", - "label": "SCIL: Safer Chemicals List Grey Square Subset", "visibility": "PUBLIC", + "label": "SCIL: Safer Chemicals List Grey Square Subset", "longDescription": "The Safer Chemical Ingredients List (SCIL) is a list of chemical ingredients, arranged by functional-use class, that the Safer Choice Program has evaluated and determined to be safer than traditional chemical ingredients. This list is designed to help manufacturers find safer chemical alternatives that meet the criteria of the Safer Choice Program.
\r\n\r\n
This subset is the Grey square - This chemical will not be acceptable for use in products that are candidates for the Safer Choice label and currently labeled products that contain it must reformulate per Safer Choice Compliance Schedules. The other related subsets are:

\r\n\r\n
Green circle<\/a> - the chemical has been verified to be of low concern based on experimental and modeled data.

\r\n\r\n
Green half-circle<\/a> - The chemical is expected to be of low concern based on experimental and modeled data. Additional data would strengthen our confidence in the chemical’s safer status.

\r\n\r\n
Yellow triangle<\/a> - The chemical has met Safer Choice Criteria for its functional ingredient-class, but has some hazard profile issues. Specifically, a chemical with this code is not associated with a low level of hazard concern for all human health and environmental endpoints. While it is a best-in-class chemical and among the safest available for a particular function, the function fulfilled by the chemical should be considered an area for safer chemistry innovation.

", + "listName": "SCILGREYSQUARE", "chemicalCount": 3, "createdAt": "2019-11-16T17:44:11Z", "updatedAt": "2019-11-16T17:44:38Z", - "listName": "SCILGREYSQUARE", "shortDescription": "Safer Chemical Ingredients List (SCIL) 2019 Grey Square Subset" }, { "id": 793, "type": "federal", - "label": "SCIL: Safer Chemicals List Yellow Triangle Subset", "visibility": "PUBLIC", + "label": "SCIL: Safer Chemicals List Yellow Triangle Subset", "longDescription": "The Safer Chemical Ingredients List (SCIL) is a list of chemical ingredients, arranged by functional-use class, that the Safer Choice Program has evaluated and determined to be safer than traditional chemical ingredients. This list is designed to help manufacturers find safer chemical alternatives that meet the criteria of the Safer Choice Program.
\r\n\r\n
This subset is the Yellow triangle list - The chemical has met Safer Choice Criteria for its functional ingredient-class, but has some hazard profile issues. Specifically, a chemical with this code is not associated with a low level of hazard concern for all human health and environmental endpoints. While it is a best-in-class chemical and among the safest available for a particular function, the function fulfilled by the chemical should be considered an area for safer chemistry innovation. The other related subsets are:

\r\n\r\n
Green circle<\/a> - the chemical has been verified to be of low concern based on experimental and modeled data.

\r\n\r\n
Green half-circle<\/a> - The chemical is expected to be of low concern based on experimental and modeled data. Additional data would strengthen our confidence in the chemical’s safer status.

\r\n\r\n
Grey square<\/a> - This chemical will not be acceptable for use in products that are candidates for the Safer Choice label and currently labeled products that contain it must reformulate per Safer Choice Compliance Schedules.

\r\n\r\n\r\n", + "listName": "SCILYELLOWTRIANGLE", "chemicalCount": 216, "createdAt": "2019-11-16T17:42:24Z", "updatedAt": "2019-11-16T17:42:45Z", - "listName": "SCILYELLOWTRIANGLE", "shortDescription": "Safer Chemical Ingredients List (SCIL) 2019 Yellow Triangle Subset" }, { "id": 784, "type": "federal", - "label": "LIST: SCOGS (Select Committee on GRAS Substances) ", "visibility": "PUBLIC", + "label": "LIST: SCOGS (Select Committee on GRAS Substances) ", "longDescription": "The
SCOGS database<\/a> allows access to opinions and conclusions from 115 SCOGS reports* published between 1972-1980 on the safety of over 370 Generally Recognized As Safe (GRAS) food substances. The list is accessible at \r\n\r\n", + "listName": "SCOGSLIST", "chemicalCount": 331, "createdAt": "2019-11-16T16:11:59Z", "updatedAt": "2020-04-23T09:35:30Z", - "listName": "SCOGSLIST", "shortDescription": "The SCOGS database allows access to opinions and conclusions from 115 SCOGS reports published between 1972-1980" }, { "id": 949, "type": "federal", - "label": "State-Specific Water Quality Standards Effective under the Clean Water Act (CWA)", "visibility": "PUBLIC", + "label": "State-Specific Water Quality Standards Effective under the Clean Water Act (CWA)", "longDescription": "The State-Specific Water Quality Standards Effective under the Clean Water Act (CWA) website is available \r\nhere<\/a>.\r\n\r\nEPA has compiled state, territorial, and authorized tribal water quality standards that EPA has approved or are otherwise in effect for Clean Water Act purposes. This compilation is continuously updated as EPA approves new or revised Water Quality Standards. \r\n\r\nIn instances when state-specific water quality standards have not been developed or approved by EPA, the Agency will propose and/or promulgate standards for a state until such time as the state submits and EPA approves their own standards. Any federally-proposed or promulgated replacement water quality standards are also identified.\r\n\r\nWater quality standards may contain additional provisions outside the scope of the Clean Water Act, its implementing federal regulations, or EPA's authority. In some cases, these additional provisions have been included as supplementary information.\r\n\r\nEPA is posting the water quality standards as a convenience to users and has made a reasonable effort to assure their accuracy. Additionally, EPA has made a reasonable effort to identify parts of the standards that are approved, disapproved, or are otherwise not in effect for Clean Water Act purposes. ", + "listName": "SSWQS", "chemicalCount": 409, "createdAt": "2020-06-24T19:31:29Z", "updatedAt": "2020-06-24T19:56:30Z", - "listName": "SSWQS", "shortDescription": "EPA has compiled state, territorial, and authorized tribal water quality standards that EPA has approved or are otherwise in effect for Clean Water Act purposes. " }, { "id": 923, "type": "federal", - "label": "EPA: Underground Storage Tanks (USTs)", "visibility": "PUBLIC", + "label": "EPA: Underground Storage Tanks (USTs)", "longDescription": "Approximately 550,000 underground storage tanks (USTs)<\/a> nationwide store petroleum or hazardous substances. The greatest potential threat from a leaking UST is contamination of groundwater, the source of drinking water for nearly half of all Americans. EPA, states, territories, and tribes work in partnership with industry to protect the environment and human health from potential releases.

\r\n\r\nOther lists of interest are:

\r\n\r\nHazardous Substance List (40CFR116.4): related to Above Ground Storage Tanks\r\n
Hazardous Substance List (40CFR116.4): related to Above Ground Storage Tanks<\/a>

\r\n\r\nList of constituents of motor fuels relevant to leaking underground storage tank sites\r\n
List of constituents of motor fuels relevant to leaking underground storage tank sites<\/a>

\r\n", + "listName": "STORAGETANKS", "chemicalCount": 756, "createdAt": "2020-05-20T15:20:05Z", "updatedAt": "2020-07-27T13:07:13Z", - "listName": "STORAGETANKS", "shortDescription": "Chemicals present in Underground Storage Tanks " }, { "id": 966, "type": "federal", - "label": "WATER: EPA Drinking Water Treatability Database", "visibility": "PUBLIC", + "label": "WATER: EPA Drinking Water Treatability Database", "longDescription": "The
Drinking Water Treatability Database (TDB)<\/a> (TDB) presents referenced information on the control of contaminants in drinking water. It provides users—including drinking water utilities, primacy agencies, first responders to spills or emergencies, treatment process designers, research organizations, academicians, and others—with current information on more than 30 treatment processes and over 120 regulated and unregulated contaminants, including 26 PFAS chemicals. The referenced information in the TDB comprises bench-, pilot-, and full-scale studies of surface, ground, and laboratory waters gathered from thousands of literature sources, including peer-reviewed journals and conferences, other conferences and symposia, research reports, theses, and dissertations. (Last updated: July 31st, 2020)", + "listName": "TDB2020", "chemicalCount": 97, "createdAt": "2020-07-31T12:22:47Z", "updatedAt": "2023-07-25T00:03:07Z", - "listName": "TDB2020", "shortDescription": "The Drinking Water Treatability Database (TDB) presents referenced information on the control of contaminants in drinking water." }, { "id": 1853, "type": "federal", - "label": "WATER: EPA Drinking Water Treatability Database 2023", "visibility": "PUBLIC", + "label": "WATER: EPA Drinking Water Treatability Database 2023", "longDescription": "The Drinking Water Treatability Database (TDB)<\/a> (TDB) presents referenced information on the control of contaminants in drinking water. It provides users—including drinking water utilities, primacy agencies, first responders to spills or emergencies, treatment process designers, research organizations, academicians, and others—with current information on more than 30 treatment processes and over 120 regulated and unregulated contaminants, including 26 PFAS chemicals. The referenced information in the TDB comprises bench-, pilot-, and full-scale studies of surface, ground, and laboratory waters gathered from thousands of literature sources, including peer-reviewed journals and conferences, other conferences and symposia, research reports, theses, and dissertations. (Last updated: July 25th, 2023)", + "listName": "TDB2023", "chemicalCount": 71, "createdAt": "2023-07-25T00:05:03Z", "updatedAt": "2023-07-25T00:05:41Z", - "listName": "TDB2023", "shortDescription": "The Drinking Water Treatability Database (TDB) presents referenced information on the control of contaminants in drinking water." }, { "id": 888, "type": "federal", - "label": "LIST: Tire Crumb Rubber", "visibility": "PUBLIC", + "label": "LIST: Tire Crumb Rubber", "longDescription": "This chemical list is based on data contained within the Federal Research Action Plan (FRAP) on Recycled Tire Crumb Used on Playing Fields and Playgrounds<\/a>. The chemical list is obtained from the Toxicity reference information spreadsheet<\/a> compiled for the potential tire crumb rubber chemical constituents identified in the State-of-Science Literature Review/Gaps Analysis, White Paper Summary of Results. Eleven sources of publicly available toxicity reference information were searched. It is important to recognize that not all potential chemical constituents identified through the literature search were confirmed through measurements made under the Federal Research Action Plan.\r\n\r\n\r\n\r\n\r\n\r\n", + "listName": "TIRECRUMB", "chemicalCount": 290, "createdAt": "2020-04-23T13:17:01Z", "updatedAt": "2020-04-23T14:31:34Z", - "listName": "TIRECRUMB", "shortDescription": "List of chemicals based on the Federal Research Action Plan (FRAP) on Recycled Tire Crumb Used on Playing Fields and Playgrounds" }, { "id": 161, "type": "federal", - "label": "TOX21SL: Tox21 Screening Library", "visibility": "PUBLIC", + "label": "TOX21SL: Tox21 Screening Library", "longDescription": "TOX21SL is a list of unique DSSTox substances comprising the original screening library for the Tox21 program, a multi-federal agency collaborative among US EPA, the National Institutes of Health (NIH) National Toxicology Program (NTP) and National Center for Advances in Translational Science (NCATS), and the US Food and Drug Administration (FDA). EPA, NTP and NCATS partners contributed approximately equal size inventories to the library, whereas FDA contributed a small set of drugs. EPA’s contribution to the original TOX21SL fully covered its ToxCast inventory, so retains significant overlap with the current ToxCast HTS inventory (TOXCAST<\/a>). The NTP contribution was drawn from the NTP bioassay and research testing programs of chemicals of interest to environmental toxicology, and the NCATS contribution consisted primarily of marketed drugs. Tox21 compounds were selected based on a wide range of criteria, including, but not limited to: environmental hazard or exposure concern based on production volume (industrial chemicals) or occurrence data, availability of animal toxicity study data, food-additives, fragrances, toxicity reference chemicals, and drugs or known bioactive compounds. Chemicals in the original Tox21 program underwent screening at the intramural NCATS robotics testing facility. All HTS assay data generated in association with the Tox21 program are publicly available through PubChem (https://pubchem.ncbi.nlm.nih.gov/), as are the analytical chemistry quality control (QC) summary records generated in association with the Tox21 testing program. Tox21 assay data are also included in EPA’s ToxCast data downloads (https://www.epa.gov/chemical-research/exploring-toxcast-data-downloadable-data)<\/a>.

For current information on the Tox21 program, see \r\n
https://tox21.gov/page/home<\/a>

\r\nUpdate (Nov 20, 2018):

The following publication coauthored by Tox21 Federal Partner Leads lays out a strategic and operational plan for the Tox21 program from 2018 onward:
https://www.ncbi.nlm.nih.gov/pubmed/29529324)<\/a>
\r\nThe plan articulates areas of focused scientific investment, both in chemical and biological space, to which new Tox21 cross-partner projects will be directed. In keeping with the new strategic plan, the Tox21 testing library moving forward is being consolidated under EPA chemical management and includes the full, currently available EPA ToxCast chemical library as well as approx. 1300 newly added chemicals provided by the NTP that were in the original TOX21SL library. The full chemical library available to the Tox21 cross-partner projects as DMSO solutions currently exceeds 6400 chemicals, of which nearly 6000 were included in the original TOX21SL library. A snapshot of this active plating library list (dated 11/21/2018) can be accessed at
EPACHEMINV_AVAIL<\/a>.\r\n\r\n ", + "listName": "TOX21SL", "chemicalCount": 8947, "createdAt": "2014-06-10T00:00:00Z", "updatedAt": "2018-11-23T20:53:50Z", - "listName": "TOX21SL", "shortDescription": "TOX21SL is list of unique substances comprising the screening library for the Tox21 program, a multi-federal agency collaborative among the US EPA, NIH/NTP, NIH/NCATS, and the US FDA." }, { "id": 1432, "type": "federal", - "label": "TOXCAST is the complete list of chemicals having undergone some level of screening in EPA's ToxCast research program since 2007 (last updated 4/11/2017); sublists included.", "visibility": "PUBLIC", + "label": "TOXCAST is the complete list of chemicals having undergone some level of screening in EPA's ToxCast research program since 2007 (last updated 4/11/2017); sublists included.", "longDescription": "TOXCAST consists of the full list of chemicals having undergone some level of screening in EPA's ToxCast research program from 2007 to the present (last updated 4/11/2017). The list includes all chemicals available for current Phase III testing, as well as discontinued chemicals that underwent limited screening in earlier Phases I and II of the ToxCast program. Discontinued chemicals includes those that were depleted and could not be reprocured (cost, availability), and those discontinued for other reasons (e.g., limited solubility, instability, volatility). TOXCAST also includes EPA’s full, plated contribution of nearly 4000 unique chemicals to the multi-federal agency Tox21 program (TOX21SL<\/a>). A publication detailing the construction and composition of the ToxCast inventory (Richard et al., Chem. Res. Toxicol. 2016) can be freely downloaded from: http://pubs.acs.org/doi/abs/10.1021/acs.chemrestox.6b00135<\/a>

\r\n\r\nRelated sublists:
\r\n\r\n
TOXCAST_PhaseI: <\/a> … 310 chemicals (mostly pesticides) screened in Phase I of the ToxCast program (ph1v1 subset)

\r\n\r\n
TOXCAST_PhaseII: <\/a> … 1800 chemicals screened in Phase II of the ToxCast program, consisting of TOXCAST_ph1v2, ph2 and e1k sublists

\r\n\r\n
TOXCAST_PhaseIII: <\/a>… 4584 chemicals available for screening in the current Phase III of the ToxCast program (as of 4/11/2017)

\r\n\r\n
TOXCAST_ph1v2: <\/a>… 293 chemicals representing reprocured subset of Phase I (ph1v1) moved into Phase II testing

\r\n\r\n
TOXCAST_ph2: <\/a>… 768 chemicals added in Phase II of the ToxCast program to increase chemical diversity and coverage of chemicals of concern to EPA programs

\r\n\r\n
TOXCAST_e1k: <\/a>… 799 chemicals added in Phase II of the ToxCast program that were selected for screening in endocrine-related assays

\r\n\r\n
TOXCAST_ph3: <\/a>… 2678 chemicals added in the most recent, ongoing Phase III of the ToxCast program (current as of 4/11/2017)

\r\n\r\n\r\nFor more information on EPA’s ToxCast program, see:\r\n
https://www.epa.gov/chemical-research/toxicity-forecasting<\/a>

\r\n\r\n\r\nTo access the ToxCast HTS data within the EPA ToxCast Dashboard, see:\r\n
https://www.epa.gov/chemical-research/toxcast-dashboard <\/a>

\r\n", + "listName": "TOXCAST", "chemicalCount": 4746, "createdAt": "2022-04-06T15:19:51Z", "updatedAt": "2022-04-06T15:27:24Z", - "listName": "TOXCAST", "shortDescription": "TOXCAST is the complete list of chemicals having undergone some level of screening in EPA's ToxCast research program since 2007 (last updated 4/11/2017); sublists included." }, { "id": 175, "type": "federal", - "label": "ToxCast Phase II donated pharma inventory", "visibility": "PUBLIC", + "label": "ToxCast Phase II donated pharma inventory", "longDescription": "ToxCast Phase II donated pharma inventory included in ph2 inventory", + "listName": "TOXCAST_donatedpharma", "chemicalCount": 136, "createdAt": "2016-01-25T18:25:14Z", "updatedAt": "2018-01-30T18:59:13Z", - "listName": "TOXCAST_donatedpharma", "shortDescription": "ToxCast Phase II donated pharma inventory included in ph2 inventory" }, { "id": 1433, "type": "federal", - "label": "TOXCAST_e1k is the e1k subset of TOXCAST, selected for screening in endocrine-related assays.", "visibility": "PUBLIC", + "label": "TOXCAST_e1k is the e1k subset of TOXCAST, selected for screening in endocrine-related assays.", "longDescription": "TOXCAST_e1k is the e1k subset of EPA’s ToxCast Screening Library (TOXCAST), consisting of 799 unique chemicals added in Phase II of EPA’s ToxCast program (non-overlapping with the ph1v2, ph2 subsets in Phase II) that were specifically introduced for screening in endocrine-related assays (e.g., ER - estrogen receptor and AR - androgen receptor) in support of EPA's Endocrine Disruption Screening Program. For more details, see
TOXCAST<\/a>", + "listName": "TOXCAST_E1K", "chemicalCount": 799, "createdAt": "2022-04-06T15:40:02Z", "updatedAt": "2022-04-06T15:40:41Z", - "listName": "TOXCAST_E1K", "shortDescription": "TOXCAST_e1k is the e1k subset of TOXCAST, selected for screening in endocrine-related assays." }, { "id": 177, "type": "federal", - "label": "ToxCast EPA contribution to the Tox21 inventory", "visibility": "PUBLIC", + "label": "ToxCast EPA contribution to the Tox21 inventory", "longDescription": "ToxCast EPA contribution to the Tox21 inventory", + "listName": "TOXCAST_EPATox21", "chemicalCount": 4078, "createdAt": "2016-01-25T18:56:00Z", "updatedAt": "2017-11-22T16:18:39Z", - "listName": "TOXCAST_EPATox21", "shortDescription": "ToxCast EPA contribution to the Tox21 inventory" }, { "id": 549, "type": "federal", - "label": "EPA ToxCast invitrodb v3.0 (October 2018)", "visibility": "PUBLIC", + "label": "EPA ToxCast invitrodb v3.0 (October 2018)", "longDescription": "This list of chemicals corresponds to chemicals with bioactivity assay data in EPA's ToxCast Database, referred to as invitrodb (v3 public release, October 2018). Invitrodb contains data for chemicals in the ToxCast and Tox21 programs, with more information available here<\/a>. This list is provided as a resource to support the October 2018 version of the bioactivity data in invitrodb v3.0 and can be downloaded and cited as follows: EPA National Center for Computational Toxicology. (2018). Invitrodb version 3.0. https://doi.org/10.23645/epacomptox.6062623.v2<\/a>", + "listName": "ToxCast_invitroDB_v3_0", "chemicalCount": 9403, "createdAt": "2018-10-05T15:52:37Z", "updatedAt": "2022-05-17T17:10:39Z", - "listName": "ToxCast_invitroDB_v3_0", "shortDescription": "This list of chemicals corresponds to chemicals with bioactivity assay data in EPA's ToxCast Database, referred to as invitrodb (v3 public release, October 2018)." }, { "id": 172, "type": "federal", - "label": "EPA ToxCast Screening Library (ph1v2 subset)", "visibility": "PUBLIC", + "label": "EPA ToxCast Screening Library (ph1v2 subset)", "longDescription": "TOXCAST_ph1v2 is the ph1v2 subset of EPA’s ToxCast Screening Library (TOXCAST) chemicals, consisting of 293 reprocured Phase I (TOXCAST_ph1v1) chemicals, consisting of mostly pesticides with guideline in vivo toxicity study data, that were moved into Phase II and later testing phases of the ToxCast program. Th ph1v2 inventory excluded 17 ph1v1 chemicals that were retired from screening after Phase I due to solubility and degradation issues. \r\n\r\nFor more details, see TOXCAST<\/a>

\r\n", + "listName": "TOXCAST_ph1v2", "chemicalCount": 293, "createdAt": "2016-01-25T17:25:31Z", "updatedAt": "2022-02-15T13:23:16Z", - "listName": "TOXCAST_ph1v2", "shortDescription": "TOXCAST_ph1v2 is the ph1v2 subset of TOXCAST, a reprocured subset of Phase I (ph1v1) chemicals moved into Phase II and later testing phases of the ToxCast program." }, { "id": 173, "type": "federal", - "label": "EPA ToxCast Screening Library (ph2 subset)", "visibility": "PUBLIC", + "label": "EPA ToxCast Screening Library (ph2 subset)", "longDescription": "TOXCAST_ph2 is the ph2 subset of EPA’s ToxCast Screening Library (TOXCAST) chemicals, entered into testing in Phase II of the ToxCast screening program. At the close of Phase II testing, this inventory consisted of 768 unique chemicals spanning a wide variety of EPA and public lists, that were chosen to increase the chemical diversity and scope of the TOXCAST library, provide greater coverage of chemicals of concern to EPA programs, and span a broader range of bioactivity and toxicity endpoints. For more details, see
TOXCAST<\/a>

", + "listName": "TOXCAST_ph2", "chemicalCount": 768, "createdAt": "2016-01-25T17:58:13Z", "updatedAt": "2022-02-15T13:23:42Z", - "listName": "TOXCAST_ph2", "shortDescription": "TOXCAST_ph2 is the ph2 subset of TOXCAST, added in Phase II of the ToxCast program to increase chemical diversity and coverage of chemicals of concern to EPA programs." }, { "id": 176, "type": "federal", - "label": "EPA ToxCast Screening Library (ph3 subset)", "visibility": "PUBLIC", + "label": "EPA ToxCast Screening Library (ph3 subset)", "longDescription": "TOXCAST_ph3 is the ph3 subset of EPA’s ToxCast Screening Library (TOXCAST) chemicals, consisting of the most recently added set of 2678 chemicals entering into Phase III of the ToxCast program, including both newly added chemicals as well as EPA chemicals previously included in the Tox21 library (see
TOX21SL<\/a>) that were not previously included in Phases I or II of the ToxCast program. The ph3 subset represents a wide variety of EPA and public lists with the aim of further increasing chemical diversity, coverage of chemicals of concern to EPA programs, and representation of bioactivity and toxicity endpoints. Testing Phases I and II of the ToxCast program are closed; hence the inventories associated with those historical data (i.e., ph1v1, ph2v2, e1k) are static and unchanging. ToxCast Phase III is currently underway; hence the ph3 inventory (current as of 4/11/2017) may continue to expand into less well-represented areas of chemistry and biology. For more details, see TOXCAST<\/a>

", + "listName": "TOXCAST_ph3", "chemicalCount": 2678, "createdAt": "2016-01-25T18:30:13Z", "updatedAt": "2022-02-15T13:30:18Z", - "listName": "TOXCAST_ph3", "shortDescription": "TOXCAST_ph3 is the ph3 subset of TOXCAST, added to the most recent Phase III of the ToxCast program to further increase chemical diversity and coverage of chemicals of concern to EPA programs." }, { "id": 180, "type": "federal", - "label": "EPA ToxCast Screening Library (Phase I subset)", "visibility": "PUBLIC", + "label": "EPA ToxCast Screening Library (Phase I subset)", "longDescription": "TOXCAST_PhaseI corresponds to the ph1v1 subset of EPA’s ToxCast Screening Library (TOXCAST), consisting of 310 unique chemicals, mostly pesticidal actives for which in vivo guideline study data were available, that were screened in the earliest, Phase I of the ToxCast program. At the conclusion of Phase I screening (public data release, Jan, 2010), the majority of the ph1v1 inventory chemicals were reprocured and moved to expanded Phase II testing, with the exception of a subset of 17 chemicals that were retired from further screening due to solubility and degradation issues (see
TOXCAST_ph1v2<\/a> for the reprocured subset). For more details, see TOXCAST<\/a>

", + "listName": "TOXCAST_PhaseI", "chemicalCount": 310, "createdAt": "2016-01-29T14:36:48Z", "updatedAt": "2022-02-15T13:31:13Z", - "listName": "TOXCAST_PhaseI", "shortDescription": "TOXCAST_PhaseI corresponds to the ph1v1 subset of TOXCAST (mostly pesticides) screened in Phase I of the ToxCast program." }, { "id": 181, "type": "federal", - "label": "EPA ToxCast Screening Library (Phase II subset)", "visibility": "PUBLIC", + "label": "EPA ToxCast Screening Library (Phase II subset)", "longDescription": "TOXCAST_PhaseII is the full set of 1860 chemicals screened in Phase II of the ToxCast screening program, consisting of the reprocured Phase I chemical inventory (TOXCAST_ph1v2), together with the TOXCAST_ph2 and TOXCAST_e1k sublists. At the time of the initial ToxCast Phase II public data release (Dec 2013), the e1k chemical subset had undergone limited screening in endocrine-related assays, whereas the ph1_v2 and ph2 subsets (totaling 1061 chemicals) were more completely screened in both ToxCast Phase I assays and assays added in Phase II; all Phase II sublists were also included in Tox21 testing. For more details, see
TOXCAST<\/a>", + "listName": "TOXCAST_PhaseII", "chemicalCount": 1864, "createdAt": "2016-01-29T14:40:41Z", "updatedAt": "2022-02-15T13:31:34Z", - "listName": "TOXCAST_PhaseII", "shortDescription": "TOXCAST_PhaseII is the full set of chemicals screened in Phase II of the ToxCast program, consisting of TOXCAST_ph1v2, ph2 and e1k sublists." }, { "id": 451, "type": "federal", - "label": "EPA ToxCast Screening Library (Phase III subset)", "visibility": "PUBLIC", + "label": "EPA ToxCast Screening Library (Phase III subset)", "longDescription": "TOXCAST_PhaseIII is the full set of 4584 chemicals available for screening in the current Phase III of the ToxCast screening program, consisting of the major portion of the Phase II testing library (excluding 37 chemicals due to unavailability or sample problems), and the newly added ph3 chemical subset. Testing Phases I and II of the ToxCast program are closed; hence the inventories associated with those historical data (i.e., ph1v1, ph2v2, e1k) are static and unchanging. ToxCast Phase III is currently underway; hence, chemicals may be dropped due to depleted stock, and the newly added ph3 inventory (current as of 4/11/2017) may continue to expand into less well-represented areas of chemistry and biology. In addition, whereas Phase III offers the possibility of screening up to 4584 chemicals, typically far fewer chemicals are undergoing more targeted screening. For more details, see TOXCAST<\/a>

", + "listName": "TOXCAST_PhaseIII", "chemicalCount": 4584, "createdAt": "2018-02-13T18:06:11Z", "updatedAt": "2022-02-15T13:32:13Z", - "listName": "TOXCAST_PhaseIII", "shortDescription": "TOXCAST_PhaseIII is the full set of chemicals available for screening in Phase III of the ToxCast program, consisting of the majority of chemicals screened in Phase II and newly added ph3 chemicals." }, { "id": 721, "type": "federal", - "label": "LIST: ToxRefDB v2.0-1 Toxicity Reference Database", "visibility": "PUBLIC", + "label": "LIST: ToxRefDB v2.0-1 Toxicity Reference Database", "longDescription": "The Toxicity Reference Database (ToxRefDB) contains in vivo study data from over 5900 guideline or guideline-like studies for training and validation of predictive models, with more information available here. ToxRefDB v2.0 is described in
Watford et al, 2019<\/a>. ToxRefDB v2.1 is an update to address a compilation error found in ToxRefDB v2.0, as described in Feshuk et al, 2023<\/a>. Though effect data has been added in v2.1, no new chemicals were added.", + "listName": "TOXREFDB2", "chemicalCount": 1176, "createdAt": "2019-09-24T22:32:24Z", "updatedAt": "2023-10-28T14:05:57Z", - "listName": "TOXREFDB2", "shortDescription": "The Toxicity Reference Database v2 structures information from over 5000 in vivo toxicity studies" }, { "id": 416, "type": "federal", - "label": "EPA: Toxicity Values Version 5 (Aug 2018)", "visibility": "PUBLIC", + "label": "EPA: Toxicity Values Version 5 (Aug 2018)", "longDescription": "The Toxicity Values database is delivered via the Hazard Tab in the CompTox Chemicals Dashboard. As of August 2018 the ToxVal Database contains the following data: 772,721 toxicity values from 29 sources of data, 21,507 sub-sources, 4585 journals cited and 69,833 literature citations.\r\n", + "listName": "TOXVAL_V5", "chemicalCount": 57972, "createdAt": "2017-09-22T18:08:22Z", "updatedAt": "2019-11-18T11:34:47Z", - "listName": "TOXVAL_V5", "shortDescription": "The Toxicity Values database is delivered via the Hazard Tab in the CompTox Chemicals Dashboard." }, { "id": 1359, "type": "federal", - "label": "EPA: Toxics Release Inventory ", "visibility": "PUBLIC", + "label": "EPA: Toxics Release Inventory ", "longDescription": "In general chemicals covered by the TRI Program are those that cause one or more of the following: 1) Cancer or other chronic human health effects; 2) Significant adverse acute human health effects; 3) Significant adverse environmental effects. (The TRI chemicals list in the CompTox Chemicals Dashboard is not the official list of all TRI reportable chemicals as it does not include all chemicals covered by the TRI broad chemical categories such as copper compounds, warfarin and salts, etc. The complete list of TRI reportable chemicals and chemical categories can be found at: (www.epa.gov/tri/chemicals<\/a>). This list includes PFAS chemicals associated with Section 7321 of the National Defense Authorization Act for Fiscal Year 2020 (P.L. 116-92) (NDAA) and available here <\/a>. (Last Updated February 15th 2022)", + "listName": "TRIRELEASE", "chemicalCount": 893, "createdAt": "2022-02-15T10:34:59Z", "updatedAt": "2022-02-15T14:02:59Z", - "listName": "TRIRELEASE", "shortDescription": "Chemicals covered by the TRI Program cause one or more of the following: 1) Cancer or other chronic human health effects; 2) Significant adverse acute human health effects; 3) Significant adverse environmental effects (Last Updated February 15th 2022)" }, { "id": 1055, "type": "federal", - "label": "TSCA Active Inventory non-confidential portion (updated February 3rd 2021)", "visibility": "PUBLIC", + "label": "TSCA Active Inventory non-confidential portion (updated February 3rd 2021)", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. The list contained in the dashboard includes the active TSCA inventory based on notifications through Feb. 7th 2018 and substances reported from Feb 8, 2018 – March 30, 2018 that have been unambiguously mapped to DSSTox using CASRN and chemical names. The curation of the non-confidential portion of active TSCA inventory is an ongoing process involving trained chemists to validate the correctness of DSSTox structural and identifier data. The content of the list will change over time as the non-confidential active TSCA inventory is updated and more substances are curated. (Updated February 3rd 2021)", + "listName": "TSCA_ACTIVE_NCTI_0221", "chemicalCount": 33603, "createdAt": "2021-02-03T08:55:59Z", "updatedAt": "2021-08-07T11:16:59Z", - "listName": "TSCA_ACTIVE_NCTI_0221", "shortDescription": "TSCA Active Inventory non-confidential portion (updated February 3rd 2021). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { "id": 1412, "type": "federal", - "label": "TSCA Active Inventory non-confidential portion (updated March 23rd 2022)", "visibility": "PUBLIC", + "label": "TSCA Active Inventory non-confidential portion (updated March 23rd 2022)", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. (Updated March 23rd 2022)", + "listName": "TSCA_ACTIVE_NCTI_0222", "chemicalCount": 33857, "createdAt": "2022-03-23T20:27:54Z", "updatedAt": "2022-06-02T14:12:25Z", - "listName": "TSCA_ACTIVE_NCTI_0222", "shortDescription": "TSCA Active Inventory non-confidential portion (updated March 23rd 2022). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { "id": 1703, "type": "federal", - "label": "TSCA Active Inventory non-confidential portion (Updated February 17th 2023)", "visibility": "PUBLIC", + "label": "TSCA Active Inventory non-confidential portion (Updated February 17th 2023)", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. (Updated February 17th 2023)", + "listName": "TSCA_ACTIVE_NCTI_0223", "chemicalCount": 34534, "createdAt": "2023-02-17T15:12:54Z", "updatedAt": "2023-03-27T08:38:54Z", - "listName": "TSCA_ACTIVE_NCTI_0223", "shortDescription": "TSCA Active Inventory non-confidential portion (updated February 17th 2023). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { "id": 2005, "type": "federal", - "label": "TSCA Active Inventory non-confidential portion (Updated February 26th 2024)", "visibility": "PUBLIC", + "label": "TSCA Active Inventory non-confidential portion (Updated February 26th 2024)", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. This is the TSCA Active Non-Confidential Subset (Updated February 26th 2024)", + "listName": "TSCA_ACTIVE_NCTI_0224", "chemicalCount": 28903, "createdAt": "2024-02-26T13:41:26Z", "updatedAt": "2024-04-08T14:50:50Z", - "listName": "TSCA_ACTIVE_NCTI_0224", "shortDescription": "TSCA Active Inventory non-confidential portion (Updated February 26th 2024). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { "id": 859, "type": "federal", - "label": "TSCA Active Inventory non-confidential portion (updated March 20th 2020).", "visibility": "PUBLIC", + "label": "TSCA Active Inventory non-confidential portion (updated March 20th 2020).", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. The list contained in the dashboard includes the active TSCA inventory based on notifications through Feb. 7th 2018 and substances reported from Feb 8, 2018 – March 30, 2018 that have been unambiguously mapped to DSSTox using CASRN and chemical names. The curation of the non-confidential portion of active TSCA inventory is an ongoing process involving trained chemists to validate the correctness of DSSTox structural and identifier data. The content of the list will change over time as the non-confidential active TSCA inventory is updated and more substances are curated. (Updated March 20th 2020)", + "listName": "TSCA_ACTIVE_NCTI_0320", "chemicalCount": 33369, "createdAt": "2020-03-19T11:48:10Z", "updatedAt": "2020-05-18T18:32:29Z", - "listName": "TSCA_ACTIVE_NCTI_0320", "shortDescription": "TSCA Active Inventory non-confidential portion (updated March 20th 2020). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { "id": 1319, "type": "federal", - "label": "TSCA Active Inventory non-confidential portion (updated August 20th 2021)", "visibility": "PUBLIC", + "label": "TSCA Active Inventory non-confidential portion (updated August 20th 2021)", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. (Updated August 20th 2021)", + "listName": "TSCA_ACTIVE_NCTI_0821", "chemicalCount": 33658, "createdAt": "2021-10-17T11:22:49Z", "updatedAt": "2021-10-22T14:17:24Z", - "listName": "TSCA_ACTIVE_NCTI_0821", "shortDescription": "TSCA Active Inventory non-confidential portion (updated August 20th 2021). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated.\r\n" }, { "id": 1898, "type": "federal", - "label": "TSCA Active Inventory non-confidential portion (Updated August 16th 2023)", "visibility": "PUBLIC", + "label": "TSCA Active Inventory non-confidential portion (Updated August 16th 2023)", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. (Updated August 16th 2023)", + "listName": "TSCA_ACTIVE_NCTI_0823", "chemicalCount": 34716, "createdAt": "2023-12-31T16:34:58Z", "updatedAt": "2024-01-10T12:10:29Z", - "listName": "TSCA_ACTIVE_NCTI_0823", "shortDescription": "TSCA Active Inventory non-confidential portion (Updated August 16th 2023). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated.\r\n" }, { "id": 766, "type": "federal", - "label": "EPA|TSCA: List of Chemicals Undergoing Prioritization: High Priority Candidates March 2019 release", "visibility": "PUBLIC", + "label": "EPA|TSCA: List of Chemicals Undergoing Prioritization: High Priority Candidates March 2019 release", "longDescription": "On March 20, 2019, EPA released a list of 40 chemicals to begin the prioritization process. TSCA requires EPA to publish this list of chemicals to begin the prioritization process and designate 20 chemicals as “high-priority” for subsequent risk evaluation and to designate 20 chemicals as “low-priority,” meaning that risk evaluation is not warranted at this time. Publication in the Federal Register activates a statutory requirement for EPA to complete the prioritization process in the next nine to twelve months, allowing EPA to designate 20 chemicals as high priority and 20 chemicals as low priority by December 2019. The chemicals in the list below are the 20 high priority candidates released in March 2019.", + "listName": "TSCAHIGHPRI", "chemicalCount": 20, "createdAt": "2019-11-16T09:56:52Z", "updatedAt": "2019-12-26T13:37:32Z", - "listName": "TSCAHIGHPRI", "shortDescription": "High Priority List of 20 chemicals undergoing prioritization as of March 2019." }, { "id": 1413, "type": "federal", - "label": "TSCA Inactive Inventory non-confidential portion (Updated March 23rd 2022)", "visibility": "PUBLIC", + "label": "TSCA Inactive Inventory non-confidential portion (Updated March 23rd 2022)", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. (Updated March 23rd 2022)", + "listName": "TSCA_INACTIVE_NCTI_0222", "chemicalCount": 34482, "createdAt": "2022-03-23T20:34:22Z", "updatedAt": "2022-06-06T16:38:59Z", - "listName": "TSCA_INACTIVE_NCTI_0222", "shortDescription": "TSCA Inactive Inventory non-confidential portion (Updated March 23rd 2022). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { "id": 1704, "type": "federal", - "label": "TSCA Inactive Inventory non-confidential portion (Updated February 17th 2023)", "visibility": "PUBLIC", + "label": "TSCA Inactive Inventory non-confidential portion (Updated February 17th 2023)", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. (Updated February 17th 2023)", + "listName": "TSCA_INACTIVE_NCTI_0223", "chemicalCount": 34427, "createdAt": "2023-02-17T16:54:44Z", "updatedAt": "2023-03-23T22:01:04Z", - "listName": "TSCA_INACTIVE_NCTI_0223", "shortDescription": "TSCA Inactive Inventory non-confidential portion (Updated February 17th 2023). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { "id": 2004, "type": "federal", - "label": "TSCA Inactive Inventory non-confidential portion (Updated February 26th 2024)", "visibility": "PUBLIC", + "label": "TSCA Inactive Inventory non-confidential portion (Updated February 26th 2024)", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. This is the TSCA Inactive Non-Confidential Subset (Updated February 26th 2024)\r\n", + "listName": "TSCA_INACTIVE_NCTI_0224", "chemicalCount": 34387, "createdAt": "2024-02-26T13:01:07Z", "updatedAt": "2024-02-27T21:50:31Z", - "listName": "TSCA_INACTIVE_NCTI_0224", "shortDescription": "TSCA Inactive Inventory non-confidential portion (Updated February 26th 2024). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { "id": 1320, "type": "federal", - "label": "TSCA Inactive Inventory non-confidential portion (updated August 20th 2021)", "visibility": "PUBLIC", + "label": "TSCA Inactive Inventory non-confidential portion (updated August 20th 2021)", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. (Updated August 20th 2021)", + "listName": "TSCA_INACTIVE_NCTI_0821", "chemicalCount": 34527, "createdAt": "2021-10-17T11:41:18Z", "updatedAt": "2023-12-29T08:49:14Z", - "listName": "TSCA_INACTIVE_NCTI_0821", "shortDescription": "TSCA Inactive Inventory non-confidential portion (updated August 20th 2021). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated.\r\n" }, { "id": 1900, "type": "federal", - "label": "TSCA Inactive Inventory non-confidential portion (Updated August 16th 2023)", "visibility": "PUBLIC", + "label": "TSCA Inactive Inventory non-confidential portion (Updated August 16th 2023)", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. (Updated August 16th 2023)", + "listName": "TSCA_INACTIVE_NCTI_0823", "chemicalCount": 34405, "createdAt": "2023-12-31T17:26:30Z", "updatedAt": "2023-12-31T17:55:21Z", - "listName": "TSCA_INACTIVE_NCTI_0823", "shortDescription": "TSCA Inactive Inventory non-confidential portion (Updated August 16th 2023). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { "id": 767, "type": "federal", - "label": "EPA|TSCA: List of Chemicals Undergoing Prioritization: Low Priority Candidates March 2019 Release", "visibility": "PUBLIC", + "label": "EPA|TSCA: List of Chemicals Undergoing Prioritization: Low Priority Candidates March 2019 Release", "longDescription": "On March 20, 2019, EPA released a list of 40 chemicals to begin the prioritization process. TSCA requires EPA to publish this list of chemicals to begin the prioritization process and designate 20 chemicals as “high-priority” for subsequent risk evaluation and to designate 20 chemicals as “low-priority,” meaning that risk evaluation is not warranted at this time. Publication in the Federal Register activates a statutory requirement for EPA to complete the prioritization process in the next nine to twelve months, allowing EPA to designate 20 chemicals as high priority and 20 chemicals as low priority by December 2019. The chemicals in the list below are the 20 low priority candidates released in March 2019.", + "listName": "TSCALOWPRI", "chemicalCount": 20, "createdAt": "2019-11-16T10:00:10Z", "updatedAt": "2019-12-26T13:36:46Z", - "listName": "TSCALOWPRI", "shortDescription": "Low Priority List of 20 chemicals undergoing prioritization as of March 2019." }, { "id": 365, "type": "federal", - "label": "EPA|TSCA: TSCA Workplan Step 2 Chemicals", "visibility": "PUBLIC", + "label": "EPA|TSCA: TSCA Workplan Step 2 Chemicals", "longDescription": "As part of EPA’s chemical safety program, EPA has identified a work plan of chemicals for further assessment under the Toxic Substances Control Act (TSCA). EPA's TSCA Work Plan helps focus and direct the activities of its Existing Chemicals Program.\r\n\r\nOriginally released in March 2012, EPA's TSCA Work Plan helps focus and direct the activities of its Existing Chemicals Program. The Work Plan was updated in October 2014. The changes to the TSCA Work Plan reflect updated data submitted to EPA by chemical companies on chemical releases and potential exposures.\r\n\r\nAfter gathering input from stakeholders, EPA developed criteria used for identifying chemicals for further assessment. The criteria focused on chemicals that meet one or more of the following factors:\r\n\r\nPotentially of concern to children’s health (for example, because of reproductive or developmental effects)\r\n\r\nNeurotoxic effects\r\nPersistent, Bioaccumulative, and Toxic (PBT)\r\nProbable or known carcinogens\r\nUsed in children’s products\r\nDetected in biomonitoring programs\r\n\r\nUsing this process, EPA in 2012 identified chemicals in the TSCA Work Plan as candidates for assessment over the next several years, as they all scored high in this screening process based on their combined hazard, exposure, and persistence and bioaccumulation characteristics. In 2014, using new information submitted to the Agency, EPA updated the TSCA Work Plan.", + "listName": "TSCASTEP2", "chemicalCount": 344, "createdAt": "2017-06-02T11:54:18Z", "updatedAt": "2018-11-16T22:05:52Z", - "listName": "TSCASTEP2", "shortDescription": "As part of EPA’s chemical safety program, EPA has identified a work plan of chemicals for further assessment under the Toxic Substances Control Act (TSCA). EPA's TSCA Work Plan helps focus and direct the activities of its Existing Chemicals Program." }, { "id": 397, "type": "federal", - "label": "EPA|TSCA|NORMAN: Surfactant List (subset)", "visibility": "PUBLIC", + "label": "EPA|TSCA|NORMAN: Surfactant List (subset)", "longDescription": "TSCASURF contains information on surfactants compiled by James Little (while at Eastman Chemical) from the TSCA Database. This is being progressively curated and extended. Extensive information and more details on the surfactants and other strategies for identifying “known unknowns” are available on the website of James Little here<\/a>. ", + "listName": "TSCASURF", "chemicalCount": 415, "createdAt": "2017-07-16T08:03:58Z", "updatedAt": "2021-05-25T15:55:32Z", - "listName": "TSCASURF", "shortDescription": "TSCASURF contains information on surfactants compiled by James Little (while at Eastman Chemical) from the TSCA Database. This is being progressively curated and extended. " }, { "id": 200, "type": "federal", - "label": "EPA|TSCA: Work Plan Chemicals (2014)", "visibility": "PUBLIC", + "label": "EPA|TSCA: Work Plan Chemicals (2014)", "longDescription": "The EPA Toxic Substance Control Act (TSCA) Work Plan chemical list (2014 update) is a list of existing chemicals for TSCA assessment, based on industry data submitted to EPA\r\nthrough the Toxics Release Inventory (TRI) in 2011 and the TSCA Chemical Data Reporting (CDR)\r\nrequirements in 2012 on chemical releases and potential exposures. This is the first update to the TSCA Work Plan for Chemical Assessments, which EPA presented in early 2012. As newer data from TRI and CDR become available, EPA will update the TSCA Work Plan for Chemical Assessments. The Agency uses this Work Plan to focus the activities of the Existing Chemicals Program in the Office of Pollution Prevention and Toxics (OPPT) so that existing chemicals having the highest potential for exposure and hazard are assessed, and, if warranted, are subject to risk reduction actions. For more information, \r\n\r\nvisit this website<\/a>.", + "listName": "TSCAWP", "chemicalCount": 90, "createdAt": "2016-03-04T11:04:53Z", "updatedAt": "2022-08-19T13:24:45Z", - "listName": "TSCAWP", "shortDescription": "EPA Toxic Substance Control Act (TSCA) Work Plan chemical list (2014 update) " }, { "id": 483, "type": "federal", - "label": "WATER: First Unregulated Contaminant Monitoring Rule", "visibility": "PUBLIC", + "label": "WATER: First Unregulated Contaminant Monitoring Rule", "longDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants to be monitored by public water systems (PWSs). The second Unregulated Contaminant Monitoring Rule (UCMR 2) was published in 2001. UCMR 1 required monitoring for 25 contaminants between 2001 and 2005 using analytical methods developed by EPA, consensus organizations, or both. This monitoring provides a basis for future regulatory actions to protect public health.", + "listName": "UCMR1", "chemicalCount": 23, "createdAt": "2018-05-05T22:01:27Z", "updatedAt": "2018-11-16T22:10:28Z", - "listName": "UCMR1", "shortDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants. This list was published on 2001." }, { "id": 480, "type": "federal", - "label": "WATER: Second Unregulated Contaminant Monitoring Rule", "visibility": "PUBLIC", + "label": "WATER: Second Unregulated Contaminant Monitoring Rule", "longDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants to be monitored by public water systems (PWSs). The second Unregulated Contaminant Monitoring Rule (UCMR 2) was published on January 4, 2007. UCMR 2 required monitoring for 25 contaminants between 2008 and 2010 using analytical methods developed by EPA, consensus organizations, or both. This monitoring provides a basis for future regulatory actions to protect public health.", + "listName": "UCMR2", "chemicalCount": 25, "createdAt": "2018-05-04T17:07:18Z", "updatedAt": "2018-11-16T22:11:11Z", - "listName": "UCMR2", "shortDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants. This list was published on January 4, 2007." }, { "id": 678, "type": "federal", - "label": "WATER: Third Unregulated Contaminant Monitoring Rule", "visibility": "PUBLIC", + "label": "WATER: Third Unregulated Contaminant Monitoring Rule", "longDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants to be monitored by public water systems (PWSs). The third Unregulated Contaminant Monitoring Rule (UCMR 3<\/a>\r\n) was published in 2012. UCMR 3 required monitoring for 28 chemical contaminants between 2013 and 2015 using analytical methods developed by EPA, consensus organizations, or both. This monitoring provides a basis for future regulatory actions to protect public health. \r\n\r\n\r\n", + "listName": "UCMR3", "chemicalCount": 28, "createdAt": "2019-05-23T22:56:58Z", "updatedAt": "2020-04-23T14:51:52Z", - "listName": "UCMR3", "shortDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants. This list was published on May 2, 2012." }, { "id": 679, "type": "federal", - "label": "WATER: Fourth Unregulated Contaminant Monitoring Rule", "visibility": "PUBLIC", + "label": "WATER: Fourth Unregulated Contaminant Monitoring Rule", "longDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants to be monitored by public water systems (PWSs). The fourth Unregulated Contaminant Monitoring Rule (UCMR 4<\/a>) was published in 2016. UCMR 4 required monitoring for 30 chemical contaminants between 2018 and 2020 using analytical methods developed by EPA, consensus organizations, or both. This monitoring provides a basis for future regulatory actions to protect public health. Note that for this list the terms HAA5, HAA6BR and HAA9 have been expanded to represent a specific set of chemicals.\r\n", + "listName": "UCMR4", "chemicalCount": 35, "createdAt": "2019-05-24T07:47:39Z", "updatedAt": "2020-04-23T15:00:46Z", - "listName": "UCMR4", "shortDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants. This list was published on December 20, 2016." }, { "id": 1351, "type": "federal", - "label": "WATER: Fifth Unregulated Contaminant Monitoring Rule", "visibility": "PUBLIC", + "label": "WATER: Fifth Unregulated Contaminant Monitoring Rule", "longDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants to be monitored by public water systems (PWSs). The fifth Unregulated Contaminant Monitoring Rule (UCMR 5<\/a>) was published in 2021. UCMR 5 requires monitoring for 30 chemical contaminants between 2023 and 2025 using analytical methods developed by EPA, consensus organizations, or both. This monitoring provides a basis for future regulatory actions to protect public health. Note that UCMR 5 will provide new data that is critically needed to improve EPA’s understanding of the frequency that 29 PFAS (and lithium) are found in the nation’s drinking water systems and at what levels. This list was published on December 27, 2021.", + "listName": "UCMR5", "chemicalCount": 30, "createdAt": "2022-01-19T12:31:29Z", "updatedAt": "2022-01-19T12:32:04Z", - "listName": "UCMR5", "shortDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants. This list was published on December 27, 2021." }, { "id": 706, "type": "federal", - "label": "WATER: USGS List of Chemicals ", "visibility": "PUBLIC", + "label": "WATER: USGS List of Chemicals ", "longDescription": "The United States Geological Survey is a scientific agency of the United States government. The scientists of the USGS study the landscape of the United States, its natural resources, and the natural hazards that threaten it. This list of chemicals are in the USGS list of chemicals in water under the \"Parameter Code Definition\" list<\/a>\r\n\r\n", + "listName": "USGSWATER", "chemicalCount": 707, "createdAt": "2019-08-19T23:38:13Z", "updatedAt": "2019-08-19T23:40:14Z", - "listName": "USGSWATER", "shortDescription": "This list of chemicals are in the USGS list of chemicals in water" }, { "id": 1164, "type": "federal", - "label": "WATER: National Recommended Water Quality Criteria Aquatic Life chemical list", "visibility": "PUBLIC", + "label": "WATER: National Recommended Water Quality Criteria Aquatic Life chemical list", "longDescription": "The National Recommended Water Quality Criteria Aquatic Life chemical table contains criteria for aquatic life ambient water quality criteria. Aquatic life criteria for toxic chemicals are the highest concentration of specific pollutants or parameters in water that are not expected to pose a significant risk to the majority of species in a given environment or a narrative description of the desired conditions of a water body being \"free from\" certain negative conditions. The table of values is available at https://www.epa.gov/wqc/national-recommended-water-quality-criteria-aquatic-life-criteria-table<\/a>\r\n", + "listName": "WATERQUALCRIT", "chemicalCount": 49, "createdAt": "2021-05-10T17:18:03Z", "updatedAt": "2021-05-10T17:23:01Z", - "listName": "WATERQUALCRIT", "shortDescription": "The National Recommended Water Quality Criteria Aquatic Life chemical table contains criteria for aquatic life ambient water quality criteria." }, { "id": 1892, "type": "federal", - "label": "LIST: Water Contaminant Information Tool (WCIT)", "visibility": "PUBLIC", + "label": "LIST: Water Contaminant Information Tool (WCIT)", "longDescription": "This list is the list of chemicals contained in the Water Contaminant Information Tool. The Water Contaminant Information Tool (WCIT) is used by the water sector to prepare for, respond to or recover from drinking water and wastewater contamination incidents. WCIT includes comprehensive information about contaminants that could be introduced into a water system following a natural disaster, vandalism, accident or act or terrorism. There are currently over 800 priority contaminants of concern listed in WCIT. The tool is available online here: https://www.epa.gov/waterdata/water-contaminant-information-tool-wcit ", + "listName": "WCIT", "chemicalCount": 795, "createdAt": "2023-12-11T22:20:21Z", "updatedAt": "2023-12-11T23:16:25Z", - "listName": "WCIT", "shortDescription": "List of chemicals contained in the Water Contaminant Information Tool" }, { "id": 631, "type": "federal", - "label": "LIST: WEBWISER emergency responders ", "visibility": "PUBLIC", + "label": "LIST: WEBWISER emergency responders ", "longDescription": "WISER is a system designed to assist emergency responders in hazardous material incidents. WISER provides a wide range of information on hazardous substances, including substance identification support, physical characteristics, human health information, and containment and suppression advice.", + "listName": "WEBWISER", "chemicalCount": 453, "createdAt": "2019-04-13T18:13:00Z", "updatedAt": "2019-04-13T18:23:03Z", - "listName": "WEBWISER", "shortDescription": "WISER is a system designed to assist emergency responders in hazardous material incidents. " }, { "id": 1027, "type": "federal", - "label": "CATEGORY|WIKILIST: Antiseptics from Wikipedia", "visibility": "PUBLIC", + "label": "CATEGORY|WIKILIST: Antiseptics from Wikipedia", "longDescription": "List (109 records) from Wikipedia containing the following:\r\nCategory: Antiseptics\r\nSub-categories: Antiseptics and Disinfectants, Iodine and Microbicides", + "listName": "WIKIANTISEPTICS", "chemicalCount": 102, "createdAt": "2020-10-08T14:24:31Z", "updatedAt": "2020-10-28T08:48:47Z", - "listName": "WIKIANTISEPTICS", "shortDescription": "A list of antimicrobials extracted from the Wikipedia Category page: https://en.wikipedia.org/wiki/Category:Antiseptics" }, { "id": 1025, "type": "federal", - "label": "CATEGORY|WIKILIST: Flavorants from Wikipedia", "visibility": "PUBLIC", + "label": "CATEGORY|WIKILIST: Flavorants from Wikipedia", "longDescription": "List of flavorants from Wikipedia containing names, CAS RN and DTXSIDs\r\n", + "listName": "WIKIFLAVORS", "chemicalCount": 141, "createdAt": "2020-10-05T10:30:27Z", "updatedAt": "2020-10-27T11:13:05Z", - "listName": "WIKIFLAVORS", "shortDescription": "A list of flavorants extracted from the Wikipedia Category page: Wikipedia list<\/a>.\r\n" }, { "id": 954, "type": "international", - "label": "REACH: Appendix 8 lists aromatic amines associated with azocolourants", "visibility": "PUBLIC", + "label": "REACH: Appendix 8 lists aromatic amines associated with azocolourants", "longDescription": "Substances Restricted Under Reach as represented by Annex XVII to REACH<\/a> includes all the restrictions adopted in the framework of REACH and the previous legislation, Directive 76/769/EEC. Appendix 8 lists aromatic amines associated with azocolourants<\/a>.\r\n", + "listName": "AROMATICAMINES", "chemicalCount": 22, "createdAt": "2020-07-12T17:53:18Z", "updatedAt": "2023-12-06T09:30:23Z", - "listName": "AROMATICAMINES", "shortDescription": "REACH Appendix 8: aromatic amines associated with azocolourants. " }, { "id": 839, "type": "international", - "label": "Canadian Domestic Substances List 2019", "visibility": "PUBLIC", + "label": "Canadian Domestic Substances List 2019", "longDescription": "On May 4, 1994, Environment and Climate Change Canada published the domestic substances list (DSL) in Part II of the Canada Gazette. The DSL is an inventory of approximately 23 000 substances manufactured in, imported into or used in Canada on a commercial scale. It is based on substances present in Canada, under certain conditions, between January 1, 1984 and December 31, 1986.\r\n\r\nThe DSL is the sole standard against which a substance is judged to be \"new\" to Canada. With few exemptions, all substances not on this list are considered new and must be reported prior to importation or manufacture in order that they can be assessed to determine if they are toxic or could become toxic to the environment or human health.", + "listName": "CANADADSL", "chemicalCount": 23053, "createdAt": "2020-01-29T23:13:52Z", "updatedAt": "2023-12-15T14:42:16Z", - "listName": "CANADADSL", "shortDescription": "The domestic substances list (DSL) is the sole standard against which a substance is judged to be \"new\" to Canada.\r\n" }, { "id": 875, "type": "international", - "label": "LIST: Dioxins and dioxin-like compounds", "visibility": "PUBLIC", + "label": "LIST: Dioxins and dioxin-like compounds", "longDescription": "Dioxins and dioxin-like compounds (DLCs) are compounds that are highly toxic environmental persistent organic pollutants. Dioxins have different toxicity depending on the number and position of the chlorine atoms. Because dioxins refer to such a broad class of compounds that vary widely in toxicity, the concept of toxic equivalency factor (TEF) has been developed to facilitate risk assessment and regulatory control. Toxic equivalence factors (TEFs) exist for seven congeners of dioxins, ten furans and twelve PCBs as identified in a World Health Organization Report<\/a>. The reference congener is the most toxic dioxin 2,3,7,8-tetrachlorodibenzo-p-dioxin (TCDD) which per definition has a TEF of one. This compound is extremely stable and consequently tends to accumulate in the food chain having a half-life of 7 to 9 years in humans. This list of DLCs are those for which TEFs were reported in the WHO report.\r\n\r\n\r\n", + "listName": "DIOXINS", "chemicalCount": 29, "createdAt": "2020-04-20T12:28:08Z", "updatedAt": "2020-04-20T12:31:25Z", - "listName": "DIOXINS", "shortDescription": "Dioxins and dioxin-like compounds (DLCs) are compounds that are highly toxic environmental persistent organic pollutants. " }, { "id": 655, "type": "international", - "label": "PLASTICS|NORMAN: A list from the Plastic Additives Initiative Mapping Exercise by ECHA", "visibility": "PUBLIC", + "label": "PLASTICS|NORMAN: A list from the Plastic Additives Initiative Mapping Exercise by ECHA", "longDescription": "List with several categories released on ECHA's \"Mapping exercise – Plastic additives initiative\"<\/a> and mapped to substances by CAS Registry Number and chemical name by E. Schymanski (Luxembourg Center for Systems Bioology) for the NORMAN Suspect List Exchange<\/a>.\r\n\r\n", + "listName": "ECHAPLASTICS", "chemicalCount": 339, "createdAt": "2019-05-03T12:40:50Z", "updatedAt": "2019-05-18T21:36:56Z", - "listName": "ECHAPLASTICS", "shortDescription": "List with several categories released on ECHA's \"Mapping exercise – Plastic additives initiative\"<\/a>" }, { "id": 1995, "type": "international", - "label": "ECHA Candidate List of Substances of Very High Concern for Authorization", "visibility": "PUBLIC", + "label": "ECHA Candidate List of Substances of Very High Concern for Authorization", "longDescription": "Substances with the following hazard properties may be identified as SVHCs:\r\n\r\nSubstances meeting the criteria for classification as carcinogenic, mutagenic or toxic for reproduction (CMR) category 1A or 1B in accordance with the CLP Regulation.\r\nSubstances which are persistent, bioaccumulative and toxic (PBT) or very persistent and very bioaccumulative (vPvB) according to REACH Annex XIII.\r\nSubstances on a case-by-case basis, that cause an equivalent level of concern as CMR or PBT/vPvB substances.

\r\n\r\nMore details regarding substances of very high concern and their identification are described
here<\/a> and the latest list is posted here<\/a>.", + "listName": "ECHASVHC", "chemicalCount": 425, "createdAt": "2024-02-11T15:31:26Z", "updatedAt": "2024-02-11T15:38:58Z", - "listName": "ECHASVHC", "shortDescription": "ECHA Candidate List of Substances of Very High Concern for Authorization" }, { "id": 366, "type": "international", - "label": "FOOD: EFSA OpenFoodTox", "visibility": "PUBLIC", + "label": "FOOD: EFSA OpenFoodTox", "longDescription": "The European Food Safety Authority has produced risk assessments for more than 4,000 substances in over 1,600 scientific opinions, statements and conclusions through the work of its scientists. For individual substances, a summary of human health and – depending on the relevant legislation and intended uses – animal health and ecological hazard assessments has been collected and structured into EFSA’s chemical hazards database: OpenFoodTox. OpenFoodTox provides open source data for the substance characterisation, the links to EFSA’s related output, background European legislation, and a summary of the critical toxicological endpoints and reference values.", + "listName": "EFSAOFT", "chemicalCount": 4252, "createdAt": "2017-06-02T15:27:22Z", "updatedAt": "2020-05-30T13:33:20Z", - "listName": "EFSAOFT", "shortDescription": "The European Food Safety Authority has produced risk assessments for more than 4,000 substances in over 1,600 scientific opinions," }, { "id": 169, "type": "international", - "label": "European INventory of Existing Commercial chemical Substances", "visibility": "PUBLIC", + "label": "European INventory of Existing Commercial chemical Substances", "longDescription": "In the EU regulatory framework, Existing Chemical substances are those substances listed in EINECS (European INventory of Existing Commercial chemical Substances), an inventory of substances that were deemed to be on the European Community market between 1 January 1971 and 18 September 1981. EINECS was drawn up by the European Commission in the application of Article 13 of Directive 67/548/EEC, as amended by Directive 79/831/EEC, and in accordance with the detailed provisions of Commission Decision 81/437/EEC. In 1993 the Council adopted Council Regulation (EEC) 793/93, more commonly known as the ESR (Existing Substances Regulation), thereby introducing a comprehensive framework for the evaluation and control of existing chemical substances", + "listName": "EINECS", "chemicalCount": 36678, "createdAt": "2016-01-06T11:36:31Z", "updatedAt": "2023-10-04T20:22:29Z", - "listName": "EINECS", "shortDescription": "European INventory of Existing Commercial chemical Substances" }, { "id": 385, "type": "international", - "label": "NORMAN: Combined 2000/2006 EU Cosmetic Ingredients Inventory ", "visibility": "PUBLIC", + "label": "NORMAN: Combined 2000/2006 EU Cosmetic Ingredients Inventory ", "longDescription": "EUCOSMETICS contains the Combined Inventory of Ingredients Employed in Cosmetic Products (2000, SCCNFP/0389/00 Final<\/a>) and Revised Inventory (2006, Decision 2006/257/EC<\/a>). The first document was prepared by the scientific committee on cosmetic products and non-food products Intended for consumers, the second list came from European Commission Decision 2006/257/EC, amending the Decision 96/335/EC. Files were prepared for the NORMAN Network by P. von der Ohe (Federal Environmental Agency, Germany - UBA) and R. Aalizadeh (University of Athens). The original data is available on the NORMAN Suspect List Exchange<\/a>. \r\nThis list is undergoing continuous curation/extension. \r\n", + "listName": "EUCOSMETICS", "chemicalCount": 2878, "createdAt": "2017-07-14T11:56:56Z", "updatedAt": "2018-11-16T21:10:35Z", - "listName": "EUCOSMETICS", "shortDescription": "EUCOSMETICS contains the Combined Inventory of Ingredients Employed in Cosmetic Products (2000, SCCNFP/0389/00 Final) and Revised Inventory (2006, Decision 2006/257/EC), prepared for NORMAN by P. von der Ohe (UBA) and R. Aalizadeh (Uni. Athens). " }, { "id": 392, "type": "international", - "label": "WATER|NORMAN: French Monitoring List", "visibility": "PUBLIC", + "label": "WATER|NORMAN: French Monitoring List", "longDescription": "FRENCHLIST contains substances for prospective monitoring activities in France, developed in cooperation with the NORMAN Network Working Group 1<\/a> on Prioritization. Provided by Valeria Dulio, INERIS, France. Further details on the website<\/a>. \r\nThe original data is available on the NORMAN Suspect List Exchange<\/a>. \r\nThis list is undergoing continuous curation/extension. \r\n", + "listName": "FRENCHLIST", "chemicalCount": 1171, "createdAt": "2017-07-14T21:43:50Z", "updatedAt": "2019-05-18T21:19:05Z", - "listName": "FRENCHLIST", "shortDescription": "FRENCHLIST contains substances for prospective monitoring activities in France, developed in cooperation with the NORMAN Network Working Group 1 on Prioritization. Provided by Valeria Dulio, INERIS, France. Further details on the website. " }, { "id": 1279, "type": "international", - "label": "IARC: Group 1: Carcinogenic to humans", "visibility": "PUBLIC", + "label": "IARC: Group 1: Carcinogenic to humans", "longDescription": "This is the list of chemicals identified by the International Agency for Research on Cancer (IARC), in their monographs<\/a>, as Carcinogenic to humans. The IARC Monographs identify environmental factors that are carcinogenic hazards to humans. These include chemicals, complex mixtures, occupational exposures, physical agents, biological agents, and lifestyle factors. National health agencies can use this information as scientific support for their actions to prevent exposure to potential carcinogens. Interdisciplinary working groups of expert scientists review the published studies and assess the strength of the available evidence that an agent can cause cancer in humans. The principles, procedures, and scientific criteria that guide the evaluations are described in the Preamble to the IARC Monographs. Since 1971, more than 1000 agents have been evaluated, of which more than 500 have been identified as carcinogenic, probably carcinogenic, or possibly carcinogenic to humans.

\r\nIt should be noted that it is not possible to map every chemical listed in the IARC monographs to a substance on the Dashboard as many of these are extremely ambiguous. Examples include alcohol beverages, carpentry and joinery and ceramic implants.

\r\nThere are four lists in total on the Dashboard
\r\n
Group 1: Carcinogenic to humans<\/a> This list
\r\n
Group 2A: Probably carcinogenic to humans<\/a>
\r\n
Group 2B: Possibly carcinogenic to humans<\/a>
\r\n
Group 3: Not classifiable as to its carcinogenicity to humans<\/a>
\r\n", + "listName": "IARC1", "chemicalCount": 54, "createdAt": "2021-08-13T10:49:56Z", "updatedAt": "2021-08-13T10:50:19Z", - "listName": "IARC1", "shortDescription": "This is the list of chemicals identified by the International Agency for Research on Cancer (IARC), in their monographs, as Carcinogenic to humans" }, { "id": 1280, "type": "international", - "label": "IARC: Group 2A: Probably carcinogenic to humans", "visibility": "PUBLIC", + "label": "IARC: Group 2A: Probably carcinogenic to humans", "longDescription": "This is the list of chemicals identified by the International Agency for Research on Cancer (IARC), in their
monographs<\/a>, as Probably carcinogenic to humans. The IARC Monographs identify environmental factors that are carcinogenic hazards to humans. These include chemicals, complex mixtures, occupational exposures, physical agents, biological agents, and lifestyle factors. National health agencies can use this information as scientific support for their actions to prevent exposure to potential carcinogens. Interdisciplinary working groups of expert scientists review the published studies and assess the strength of the available evidence that an agent can cause cancer in humans. The principles, procedures, and scientific criteria that guide the evaluations are described in the Preamble to the IARC Monographs. Since 1971, more than 1000 agents have been evaluated, of which more than 500 have been identified as carcinogenic, probably carcinogenic, or possibly carcinogenic to humans.

\r\nIt should be noted that it is not possible to map every chemical listed in the IARC monographs to a substance on the Dashboard as many of these are extremely ambiguous. Examples include alcohol beverages, carpentry and joinery and ceramic implants.

\r\nThere are four lists in total on the Dashboard
\r\n
Group 1: Carcinogenic to humans<\/a>
\r\n
Group 2A: Probably carcinogenic to humans<\/a> This list
\r\n
Group 2B: Possibly carcinogenic to humans<\/a>
\r\n
Group 3: Not classifiable as to its carcinogenicity to humans<\/a>
\r\n", + "listName": "IARC2A", "chemicalCount": 70, "createdAt": "2021-08-13T12:41:36Z", "updatedAt": "2021-08-13T12:42:02Z", - "listName": "IARC2A", "shortDescription": "This is the list of chemicals identified by the International Agency for Research on Cancer (IARC), in their monographs, as Probably carcinogenic to humans" }, { "id": 1281, "type": "international", - "label": "IARC: Group 2B: Possibly carcinogenic to humans", "visibility": "PUBLIC", + "label": "IARC: Group 2B: Possibly carcinogenic to humans", "longDescription": "This is the list of chemicals identified by the International Agency for Research on Cancer (IARC), in their
monographs<\/a>, as Possibly carcinogenic to humans. The IARC Monographs identify environmental factors that are carcinogenic hazards to humans. These include chemicals, complex mixtures, occupational exposures, physical agents, biological agents, and lifestyle factors. National health agencies can use this information as scientific support for their actions to prevent exposure to potential carcinogens. Interdisciplinary working groups of expert scientists review the published studies and assess the strength of the available evidence that an agent can cause cancer in humans. The principles, procedures, and scientific criteria that guide the evaluations are described in the Preamble to the IARC Monographs. Since 1971, more than 1000 agents have been evaluated, of which more than 500 have been identified as carcinogenic, probably carcinogenic, or possibly carcinogenic to humans.

\r\nIt should be noted that it is not possible to map every chemical listed in the IARC monographs to a substance on the Dashboard as many of these are extremely ambiguous. Examples include alcohol beverages, carpentry and joinery and ceramic implants.

\r\nThere are four lists in total on the Dashboard
\r\n
Group 1: Carcinogenic to humans<\/a>
\r\n
Group 2A: Probably carcinogenic to humans<\/a>
\r\n
Group 2B: Possibly carcinogenic to humans<\/a> This list
\r\n
Group 3: Not classifiable as to its carcinogenicity to humans<\/a>
\r\n", + "listName": "IARC2B", "chemicalCount": 285, "createdAt": "2021-08-13T12:52:20Z", "updatedAt": "2021-08-13T12:52:49Z", - "listName": "IARC2B", "shortDescription": "This is the list of chemicals identified by the International Agency for Research on Cancer (IARC), in their monographs, as Possibly carcinogenic to humans" }, { "id": 1282, "type": "international", - "label": "IARC: Group 3: Not classifiable as to its carcinogenicity to humans", "visibility": "PUBLIC", + "label": "IARC: Group 3: Not classifiable as to its carcinogenicity to humans", "longDescription": "This is the list of chemicals identified by the International Agency for Research on Cancer (IARC), in their
monographs<\/a>, as Not classifiable as to its carcinogenicity to humans. The IARC Monographs identify environmental factors that are carcinogenic hazards to humans. These include chemicals, complex mixtures, occupational exposures, physical agents, biological agents, and lifestyle factors. National health agencies can use this information as scientific support for their actions to prevent exposure to potential carcinogens. Interdisciplinary working groups of expert scientists review the published studies and assess the strength of the available evidence that an agent can cause cancer in humans. The principles, procedures, and scientific criteria that guide the evaluations are described in the Preamble to the IARC Monographs. Since 1971, more than 1000 agents have been evaluated, of which more than 500 have been identified as carcinogenic, probably carcinogenic, or possibly carcinogenic to humans.

\r\nIt should be noted that it is not possible to map every chemical listed in the IARC monographs to a substance on the Dashboard as many of these are extremely ambiguous. Examples include alcohol beverages, carpentry and joinery and ceramic implants.

\r\nThere are four lists in total on the Dashboard
\r\n
Group 1: Carcinogenic to humans<\/a>
\r\n
Group 2A: Probably carcinogenic to humans<\/a>
\r\n
Group 2B: Possibly carcinogenic to humans<\/a>
\r\n
Group 3: Not classifiable as to its carcinogenicity to humans<\/a> This list
\r\n", + "listName": "IARC3", "chemicalCount": 441, "createdAt": "2021-08-13T13:06:42Z", "updatedAt": "2021-08-13T13:07:12Z", - "listName": "IARC3", "shortDescription": "This is the list of chemicals identified by the International Agency for Research on Cancer (IARC), in their monographs, as Not classifiable as to its carcinogenicity to humans" }, { "id": 393, "type": "international", - "label": "WATER|ARTICLE: Drinking Water Suspects, KWR Water, Netherlands", "visibility": "PUBLIC", + "label": "WATER|ARTICLE: Drinking Water Suspects, KWR Water, Netherlands", "longDescription": "KWRSJERPS is a list of prioritized suspects relevant for human health in drinking water from KWR Water in Nieuwegein, The Netherlands. The methods are detailed in Sjerps et al 2016, DOI:
10.1016/j.watres.2016.02.034<\/a>. The original data is available on the NORMAN Suspect List Exchange<\/a>. ", + "listName": "KWRSJERPS", "chemicalCount": 136, "createdAt": "2017-07-14T21:50:42Z", "updatedAt": "2019-05-18T22:10:32Z", - "listName": "KWRSJERPS", "shortDescription": "KWRSJERPS is a list of prioritized suspects relevant for human health in drinking water from KWR Water in Nieuwegein, The Netherlands. The methods are detailed in Sjerps et al 2016, DOI: 10.1016/j.watres.2016.02.034" }, { "id": 312, "type": "international", - "label": "PFAS: List from the Swedish Chemicals Agency (KEMI) Report", "visibility": "PUBLIC", + "label": "PFAS: List from the Swedish Chemicals Agency (KEMI) Report", "longDescription": "This list of perfluorinated substances originated from Appendix 2 from the Swedish Chemicals Agency Report 7/15 (available at http://www.kemi.se/en/global/rapporter/2015/report-7-15-occurrence-and-use-of-highly-fluorinated-substances-and-alternatives.pdf<\/a>) on the occurrence and use of highly fluorinated substances and alternatives (2015). The current KEMI PFAS list includes substances beyond the original report (provided by Stellan Fischer).\r\n\r\n", + "listName": "PFASKEMI", "chemicalCount": 2418, "createdAt": "2017-02-09T13:31:26Z", "updatedAt": "2021-04-21T14:18:15Z", - "listName": "PFASKEMI", "shortDescription": "Perfluorinated substances from a Swedish Chemicals Agency (KEMI) Report on the occurrence and use of highly fluorinated substances." }, { "id": 863, "type": "international", - "label": "PFAS: Nordic PFAS Report 2019", "visibility": "PUBLIC", + "label": "PFAS: Nordic PFAS Report 2019", "longDescription": "List of PFAS cited in the Nordic Working Paper on Per- and polyfluoroalkylether substances:\r\nidentity, production and use (2020). Report was funded by the Nordic Council of Ministers. Report is available online here.

\r\n", + "listName": "PFASNORDIC", "chemicalCount": 392, "createdAt": "2020-04-03T21:56:26Z", "updatedAt": "2020-04-28T11:18:50Z", - "listName": "PFASNORDIC", "shortDescription": "List of PFAS cited in the Nordic Working Paper on Per- and polyfluoroalkylether substances:\r\nidentity, production and use (2020)" }, { "id": 492, "type": "international", - "label": "PFAS: Listed in OECD Global Database", "visibility": "PUBLIC", + "label": "PFAS: Listed in OECD Global Database", "longDescription": "OECD released a New Comprehensive Global Database of Per- and Polyfluoroalkyl Substances (PFASs) listing more than 4700 new PFAS, including several new groups of PFASs that fulfill the common definition of PFASs (i.e. they contain at least one perfluoroalkyl moiety) but have not yet been commonly regarded as PFASs. The list can be used in conjunction with the methodology report summarising the major findings with respect to the total numbers and types of PFASs identified, the limitations, gaps and challenges identified, and opportunities for improving the future understanding of PFASs production, use on the global market, and presence in the environment, biota, and other matrices.

Source website:
http://www.oecd.org/chemicalsafety/portal-perfluorinated-chemicals<\/a>

A major effort was undertaken to register this list within DSSTox, adding chemical structures for as many PFAS entries as possible using both manual and auto-mapping (structures using CAS-matching) curation methods. The result is that approximately 1/3 of the list is curated at the highest two curation levels (DSSTox_High or DSSTox_Low) currently, whereas more than half of this list is registered at the Public_Low curation level (based on PubChem content).The PFASOECD list is undergoing continuous registration and curation.\r\n", + "listName": "PFASOECD", "chemicalCount": 4729, "createdAt": "2018-05-16T10:13:28Z", "updatedAt": "2018-11-17T13:46:08Z", - "listName": "PFASOECD", "shortDescription": "OECD released a New Comprehensive Global Database of Per- and Polyfluoroalkyl Substances, (PFASs) listing more than 4700 new PFAS" }, { "id": 660, "type": "international", - "label": "NORMAN: REACH Chemicals List Provided to NORMAN Network", "visibility": "PUBLIC", + "label": "NORMAN: REACH Chemicals List Provided to NORMAN Network", "longDescription": "A REACH list of >68,600 REACH chemicals from the
NORMAN Suspect List Exchange<\/a> includes InChIKeys and spectral information, was provided by N. Alygizakis and J. Slobodnik (Environmental Institute at the University of Athens) and has been mapped to DTXSIDs by CAS Registry Number only (by E. Schymanski) for inclusion on the Dashboard. The total mappings is ~ 57760. Other REACH lists are undergoing curation by the Dashboard team and will be available in due course.", + "listName": "REACH2017", "chemicalCount": 57758, "createdAt": "2019-05-03T14:14:43Z", "updatedAt": "2020-06-05T15:18:04Z", - "listName": "REACH2017", "shortDescription": "This REACH list of 57760 REACH chemicals from the NORMAN Suspect List Exchange<\/a>" }, { "id": 363, "type": "other", - "label": "LIST: ACS Reagent Chemicals", "visibility": "PUBLIC", + "label": "LIST: ACS Reagent Chemicals", "longDescription": "The ACS Committee on Analytical Reagents sets purity specifications for almost 500 reagent chemicals and over 500 standard-grade reference materials. These specifications have become the de facto standards for chemicals used in many high-purity applications. In addition to detailing these specifications, ACS Reagent Chemicals provides general physical properties and analytical uses for all reagent chemicals as well as guidelines for standard analytical methods. The online book is available at https://pubs.acs.org/isbn/9780841230460<\/a>", + "listName": "ACSREAG", "chemicalCount": 414, "createdAt": "2017-05-26T16:44:51Z", "updatedAt": "2022-05-19T09:48:41Z", - "listName": "ACSREAG", "shortDescription": "The ACS Committee on Analytical Reagents sets purity specifications for almost 500 reagent chemicals and over 500 standard-grade reference materials." }, { "id": 976, "type": "other", - "label": "WEAPONS: Australia Group", "visibility": "PUBLIC", + "label": "WEAPONS: Australia Group", "longDescription": "The Australia Group (AG) is an informal coalition of like-minded states committed to preventing the proliferation of chemical and biological weapons. To foster the harmonization of export controls, the AG has compiled the “Chemical Weapons Precursors”, which is a list of chemicals that can be used as precursors for the synthesis of chemical warfare agents. The AG Chemical Weapons Precursors list comprises a total of 87 chemicals, all of which are explicitly listed as individual chemicals (no families of chemicals). Of these 87 chemicals, 22 are Novichok precursors that were added on February 28, 2020.\r\n\r\nThis data collection is sourced from the Constanzi Research group<\/a>.", + "listName": "AGCHEMWEAPONS", "chemicalCount": 86, "createdAt": "2020-08-15T17:11:14Z", "updatedAt": "2021-06-15T13:55:24Z", - "listName": "AGCHEMWEAPONS", "shortDescription": "The Australia Group (AG) is an informal coalition of like-minded states committed to preventing the proliferation of chemical and biological weapons." }, { "id": 1678, "type": "other", - "label": "List of data associated with Experimental Diffusivity in Air", "visibility": "PUBLIC", + "label": "List of data associated with Experimental Diffusivity in Air", "longDescription": "List of data associated with Experimental Diffusivity in Air from the article \"A QSPR model for prediction of diffusion coefficient of non-electrolyte organic compounds in air at ambient condition<\/a>\"", + "listName": "AIRDIFFUS", "chemicalCount": 4562, "createdAt": "2023-01-11T07:35:18Z", "updatedAt": "2023-12-10T22:49:16Z", - "listName": "AIRDIFFUS", "shortDescription": "List of data associated with Experimental Diffusivity in Air " }, { "id": 477, "type": "other", - "label": "LIST: Algal Toxins", "visibility": "PUBLIC", + "label": "LIST: Algal Toxins", "longDescription": "Algal toxins do not enter the marine environment from an external source but are generated during blooms of particular naturally occurring marine algal species. Such blooms have been referred to as toxic algal blooms, harmful algal blooms (HABs) and red tides. The occurrence of blooms of these and other so-called toxic algae is perfectly natural but there are concerns that increases in the supply of essential nutrients (such as nitrogen, phosphorus) to the marine environment as a result of Man's activities may be contributing to the increased frequency and magnitude of these events.", + "listName": "ALGALTOX", "chemicalCount": 56, "createdAt": "2018-05-04T11:22:03Z", "updatedAt": "2022-01-30T13:33:13Z", - "listName": "ALGALTOX", "shortDescription": "A list of Algal Toxins of potential interest" }, { "id": 1032, "type": "other", - "label": "CATEGORY: Surfactants", "visibility": "PUBLIC", + "label": "CATEGORY: Surfactants", "longDescription": "A set of surfactants made from the assembly of multiple surfactants lists contained within the dashboard. This list is under constant curation and expansion.", + "listName": "ALLSURFACTANTS", "chemicalCount": 805, "createdAt": "2020-10-28T11:53:10Z", "updatedAt": "2020-10-28T11:59:33Z", - "listName": "ALLSURFACTANTS", "shortDescription": "A set of surfactants made from the assembly of multiple surfactants list" }, { "id": 602, "type": "other", - "label": "CATEGORY: Amino acids ", "visibility": "PUBLIC", + "label": "CATEGORY: Amino acids ", "longDescription": "A list containing the 20 essential amino acids, organic compounds containing amine (-NH2) and carboxyl (-COOH) functional groups, along with a side chain (R group) specific to each amino acid.", + "listName": "AMINOACIDS", "chemicalCount": 20, "createdAt": "2019-02-04T11:38:53Z", "updatedAt": "2020-10-11T10:35:09Z", - "listName": "AMINOACIDS", "shortDescription": "Amino acids are organic compounds containing amine (-NH2) and carboxyl (-COOH) functional groups, along with a side chain (R group) specific to each amino acid." }, { "id": 616, "type": "other", - "label": "Amphibole minerals", "visibility": "PUBLIC", + "label": "Amphibole minerals", "longDescription": "Amphiboles are an important group of inosilicate minerals, forming prism or needlelike crystals, composed of double chain SiO 4 tetrahedra, linked at the vertices and generally containing ions of iron and/or magnesium in their structures. Amphiboles can be green, black, colorless, white, yellow, blue, or brown.", + "listName": "AMPHIBOLES", "chemicalCount": 23, "createdAt": "2019-03-26T00:15:17Z", "updatedAt": "2019-11-16T10:01:45Z", - "listName": "AMPHIBOLES", "shortDescription": "Amphiboles are an important group of inosilicate minerals." }, { "id": 1297, "type": "other", - "label": "Antimicrobial Ingredients in Building Materials", "visibility": "PUBLIC", + "label": "Antimicrobial Ingredients in Building Materials", "longDescription": "This is a list of antimicrobial substances commonly used within the building industry. This list was extracted from the report: Healthy Environments: Understanding Antimicrobial Ingredients In Building Materials<\/a>.", + "listName": "ANITMICROB2", "chemicalCount": 18, "createdAt": "2021-09-18T13:33:00Z", "updatedAt": "2022-05-23T21:58:29Z", - "listName": "ANITMICROB2", "shortDescription": "List of antimicrobial substances commonly used within the building industry" }, { "id": 788, "type": "other", - "label": "CATEGORY|PHARMACEUTICALS: Antibiotics ", "visibility": "PUBLIC", + "label": "CATEGORY|PHARMACEUTICALS: Antibiotics ", "longDescription": "This list of antibiotics and related metabolites and environmental degradation products that is under constant curation and expansion. If you wish to contribute please contact Antony Williams at williams.antony@epa.gov.", + "listName": "ANTIBIOTICS", "chemicalCount": 170, "createdAt": "2019-11-16T17:27:08Z", "updatedAt": "2020-10-11T10:40:06Z", - "listName": "ANTIBIOTICS", "shortDescription": "List of antibiotics and related compounds" }, { "id": 844, "type": "other", - "label": "List of Adverse Outcome Pathway Stressors", "visibility": "PUBLIC", + "label": "List of Adverse Outcome Pathway Stressors", "longDescription": "The EPA Adverse Outcome Pathway Database (AOP_DB<\/a>) contains a full list of AOP stressors obtained and updated from the AOP-Wiki<\/a>, which is available and updated as part of the OECD supported AOP Knowledge Base (AOP_KB<\/a>). The AOP-STRESSOR file maps the DSSTox substance records to the most current list of AOP stressors (last updated 2/12/2020). The AOP-STRESSOR file is a current snapshot of all AOP-Wiki-documented stressors. A detailed description of EPA's chemical management system and the DSSTox curation associated with chemical registration and mapping of the AOP-STRESSOR file is provided in the published document available for download at: The 2021 update of the EPA’s adverse outcome pathway database<\/a>", + "listName": "AOPSTRESSORS", "chemicalCount": 349, "createdAt": "2020-02-12T23:15:05Z", "updatedAt": "2022-08-26T13:10:36Z", - "listName": "AOPSTRESSORS", "shortDescription": "List of Adverse Outcome Pathway Stressors from the AOP Database" }, { "id": 729, "type": "other", - "label": "LIST: APCRA Chemicals for Retrospective Analysis", "visibility": "PUBLIC", + "label": "LIST: APCRA Chemicals for Retrospective Analysis", "longDescription": "Accelerating the Pace of Chemical Risk Assessment (APCRA) is a government-to-government initiative whose aim is to promote collaboration and dialogue on the scientific and regulatory needs for the application and acceptance of “New Approach Methodologies” (NAMs) in regulatory decision making. A recent publication “Utility of In Vitro Bioactivity as a Lower Bound Estimate of In Vivo Adverse Effect Levels and in Risk-Based Prioritization<\/a>” related to APCRA has compared point-of-departure based on high-throughput predictions of bioactivity, exposure predictions, and traditional hazard information for the 448 chemicals in this list. ", + "listName": "APCRARETRO", "chemicalCount": 448, "createdAt": "2019-10-15T10:01:11Z", "updatedAt": "2019-10-15T10:01:44Z", - "listName": "APCRARETRO", "shortDescription": "A list related to a publication comparing point-of-departure calculations based on high-throughput predictions of bioactivity, exposure predictions, and traditional hazard information." }, { "id": 585, "type": "other", - "label": "ANDROGEN: Androgen Receptor Chemicals", "visibility": "PUBLIC", + "label": "ANDROGEN: Androgen Receptor Chemicals", "longDescription": "The list of chemicals used to identify references with in vitro AR binding. From Kleinstreuer et al., Development and Validation of a Computational Model for Androgen Receptor Activity, http://pubs.acs.org/doi/abs/10.1021/acs.chemrestox.6b00347", + "listName": "ARCHEMICALS", "chemicalCount": 110, "createdAt": "2018-11-16T20:17:32Z", "updatedAt": "2019-06-17T11:33:31Z", - "listName": "ARCHEMICALS", "shortDescription": "The list of chemicals used to identify references with in vitro AR binding. From Kleinstreuer et al http://pubs.acs.org/doi/abs/10.1021/acs.chemrestox.6b00347" }, { "id": 461, "type": "other", - "label": "Androgen Receptor Reference Chemical List", "visibility": "PUBLIC", + "label": "Androgen Receptor Reference Chemical List", "longDescription": "The list of chemicals used to identify references with in vitro Androgen Receptor binding. From Kleinstreuer et al. Development and Validation of a Computational Model for Androgen Receptor Activity<\/a>.", + "listName": "ARREFLIST", "chemicalCount": 54, "createdAt": "2018-03-30T16:51:08Z", "updatedAt": "2021-09-28T11:12:04Z", - "listName": "ARREFLIST", "shortDescription": "The list of chemicals used to identify references with in vitro Androgen Receptor binding." }, { "id": 145, "type": "other", - "label": "European Bioinformatics Institute (EBI) ArrayExpress Repository for Gene Expression Experiments", "visibility": "PUBLIC", + "label": "European Bioinformatics Institute (EBI) ArrayExpress Repository for Gene Expression Experiments", "longDescription": "European Bioinformatics Institute (EBI) ArrayExpress Repository for Gene Expression Experiments", + "listName": "ARYEXP_Aux", "chemicalCount": 1076, "createdAt": "2009-03-06T00:00:00Z", "updatedAt": "2021-08-06T23:21:10Z", - "listName": "ARYEXP_Aux", "shortDescription": "European Bioinformatics Institute (EBI) ArrayExpress Repository for Gene Expression Experiments" }, { "id": 390, "type": "other", - "label": "WATER: Univ. Athens Surfactant and Suspect List", "visibility": "PUBLIC", + "label": "WATER: Univ. Athens Surfactant and Suspect List", "longDescription": "ATHENSSUS is a compilation of suspects, predicted transformation products and surfactants screened in wastewater by University of Athens, as described in Gago-Ferrero et al 2015, DOI: 10.1021/acs.est.5b03454<\/a>. The original data is available on the NORMAN Suspect List Exchange<\/a>. Only registered substances are included here. ", + "listName": "ATHENSSUS", "chemicalCount": 60, "createdAt": "2017-07-14T17:06:47Z", "updatedAt": "2018-11-17T14:19:41Z", - "listName": "ATHENSSUS", "shortDescription": "ATHENSSUS is a compilation of suspects, predicted transformation products and surfactants screened in wastewater by University of Athens, as described in Gago-Ferrero et al 2015, DOI: 10.1021/acs.est.5b03454" }, { "id": 1249, "type": "other", - "label": "LIST: Azo Dyes", "visibility": "PUBLIC", + "label": "LIST: Azo Dyes", "longDescription": "List of Azo Dyes assembled from public sources including Wikipedia", + "listName": "AZODYES", "chemicalCount": 4103, "createdAt": "2021-08-04T21:52:33Z", "updatedAt": "2021-09-28T13:18:07Z", - "listName": "AZODYES", "shortDescription": "List of Azo Dyes assembled from public sources including Wikipedia" }, { "id": 478, "type": "other", - "label": "NORMAN|LIST: Bisphenol compounds", "visibility": "PUBLIC", + "label": "NORMAN|LIST: Bisphenol compounds", "longDescription": "This list represents a collection of bisphenols available at NILU<\/a> (Pawel Rostkowski) and from Table 3 of report 5/17 by KEMI<\/a> (Swedish Chemicals Agency, in Swedish with English summary), hosted on the NORMAN Suspect List Exchange<\/a> (https://www.norman-network.com/nds/SLE/). Dataset DOI: 10.5281/zenodo.3779854<\/a>\r\n\r\n\r\n\r\n\r\n\r\n", + "listName": "BISPHENOLS", "chemicalCount": 52, "createdAt": "2018-05-04T11:44:30Z", "updatedAt": "2020-05-01T13:43:55Z", - "listName": "BISPHENOLS", "shortDescription": "This list represents a collection of Bisphenol Compounds" }, { "id": 1706, "type": "other", - "label": "LIST: BLOODEXPOSOME Chemicals identified as part of the blood exposome", "visibility": "PUBLIC", + "label": "LIST: BLOODEXPOSOME Chemicals identified as part of the blood exposome", "longDescription": "Barupal et al report on Generating the Blood Exposome Database Using a Comprehensive Text Mining and Database Fusion Approach<\/a>. The database can be used for prioritizing chemicals for systematic reviews, developing target assays in exposome research, identifying compounds in untargeted mass spectrometry, and biological interpretation in metabolomics data. (Last remapped February 17th 2023)", + "listName": "BLOODEXPOSOME", "chemicalCount": 29643, "createdAt": "2023-02-17T20:17:21Z", "updatedAt": "2024-04-03T19:02:02Z", - "listName": "BLOODEXPOSOME", "shortDescription": "Chemicals identified as part of the blood exposome" }, { "id": 1707, "type": "other", - "label": "LIST: Overlap of the Blood Exposome with the February 2022 TSCA ACTIVE non-confidential list ", "visibility": "PUBLIC", + "label": "LIST: Overlap of the Blood Exposome with the February 2022 TSCA ACTIVE non-confidential list ", "longDescription": "This list is the intersection of the blood exposome list (https://comptox.epa.gov/dashboard/chemical-lists/BLOODEXPOSOME<\/a>) derived from the Barupal et al report on Generating the Blood Exposome Database Using a Comprehensive Text Mining and Database Fusion Approach and the 2022 TSCA non-confidential active inventory (https://comptox.epa.gov/dashboard/chemical-lists/TSCA_INACTIVE_NCTI_0222<\/a>). The list is intended to represent the subset of potential exogenous chemicals in the blood exposome. ", + "listName": "BLOODTSCA", "chemicalCount": 4896, "createdAt": "2023-02-19T20:56:51Z", "updatedAt": "2023-02-27T23:00:12Z", - "listName": "BLOODTSCA", "shortDescription": "This list is the intersection between the BLOODEXPOSOME list and the 2022 TSCA ACTIVE non-confidential list.\r\n\r\n\r\n\r\n" }, { "id": 209, "type": "other", - "label": "ARTICLE; Bench-Mark Dose Human Health Assessment List (Wignall et al., 2014)", "visibility": "PUBLIC", + "label": "ARTICLE; Bench-Mark Dose Human Health Assessment List (Wignall et al., 2014)", "longDescription": "Chemicals associated with the article \"Standardizing Benchmark Dose Calculations to Improve Science-Based Decisions in Human Health Assessments<\/a>\" by Wignall et al., 2014. 880 dose–response data sets for 352 environmental chemicals with existing human health assessments were examined.\r\n\r\n\r\n\r\n", + "listName": "BMDHHA", "chemicalCount": 954, "createdAt": "2016-04-21T17:19:08Z", "updatedAt": "2020-04-20T11:06:20Z", - "listName": "BMDHHA", "shortDescription": "Chemicals associated with the article \"Standardizing Benchmark Dose Calculations to Improve Science-Based Decisions in Human Health Assessments\" by Wignall et al., 2014" }, { "id": 786, "type": "other", - "label": "LIST: Chloroparaffins C10 and above", "visibility": "PUBLIC", + "label": "LIST: Chloroparaffins C10 and above", "longDescription": "List of chemical substances classed as \"chloroparaffins\". Includes short chain (C10 – C13), medium chain (C14 – C17) and long-chain chloroparaffins (>C17). ", + "listName": "C10CHLOROPARAFF", "chemicalCount": 111, "createdAt": "2019-11-16T16:19:49Z", "updatedAt": "2019-11-16T16:20:09Z", - "listName": "C10CHLOROPARAFF", "shortDescription": "List of chemical substances classed as \"chloroparaffins\"" }, { "id": 1455, "type": "other", - "label": "CAMEO Hazardous Chemical Datasheets", "visibility": "PUBLIC", + "label": "CAMEO Hazardous Chemical Datasheets", "longDescription": "CAMEO Chemicals<\/a> is a database of hazardous chemical datasheets that emergency responders and planners can use to get response recommendations and predict hazards. (Last updated May 9th 2022)\r\n\r\n", + "listName": "CAMEOV1", "chemicalCount": 4540, "createdAt": "2022-05-09T11:54:17Z", "updatedAt": "2022-08-18T15:58:42Z", - "listName": "CAMEOV1", "shortDescription": "CAMEO Chemicals is a database of hazardous chemical datasheets (Last updated May 9th 2022)" }, { "id": 941, "type": "other", - "label": "MASSSPEC: CASMI2012", "visibility": "PUBLIC", + "label": "MASSSPEC: CASMI2012", "longDescription": "The Critical Assessment of Small Molecules (CASMI) contests were initiated in 2012 to provide a means to evaluate compound identification tools on standardized sets of MS/MS data. In the publication “Revisiting Five Years of CASMI Contests with EPA Identification Tools” by McEachran et al, compound identification was performed on all 5 CASMI contest datasets using Dashboard tools and data in order to critically evaluate Dashboard performance relative to that of other applications. CASMI data were accessed via http://casmi-contest.org/<\/a> and processed for use in our spectral matching and identification workflow. We conducted an in-depth review of the CASMI structure sets which sometimes resulted in edits to structures as described in the publication and we are providing these edited datasets via the Dashboard as reference data. This is the CASMI2012 dataset", + "listName": "CASMI2012", "chemicalCount": 15, "createdAt": "2020-06-19T16:53:02Z", "updatedAt": "2020-06-19T18:23:25Z", - "listName": "CASMI2012", "shortDescription": "The 2012 Critical Assessment of Small Molecules (CASMI) contest dataset" }, { "id": 942, "type": "other", - "label": "MASSSPEC: CASMI2013", "visibility": "PUBLIC", + "label": "MASSSPEC: CASMI2013", "longDescription": "The Critical Assessment of Small Molecules (CASMI) contests were initiated in 2012 to provide a means to evaluate compound identification tools on standardized sets of MS/MS data. In the publication “Revisiting Five Years of CASMI Contests with EPA Identification Tools” by McEachran et al, compound identification was performed on all 5 CASMI contest datasets using Dashboard tools and data in order to critically evaluate Dashboard performance relative to that of other applications. CASMI data were accessed via http://casmi-contest.org/<\/a> and processed for use in our spectral matching and identification workflow. We conducted an in-depth review of the CASMI structure sets which sometimes resulted in edits to structures as described in the publication and we are providing these edited datasets via the Dashboard as reference data. This is the CASMI2013 dataset.", + "listName": "CASMI2013", "chemicalCount": 20, "createdAt": "2020-06-19T17:40:32Z", "updatedAt": "2020-06-19T18:23:51Z", - "listName": "CASMI2013", "shortDescription": "The 2013 Critical Assessment of Small Molecules (CASMI) contest dataset" }, { "id": 943, "type": "other", - "label": "MASSSPEC: CASMI2014", "visibility": "PUBLIC", + "label": "MASSSPEC: CASMI2014", "longDescription": "The Critical Assessment of Small Molecules (CASMI) contests were initiated in 2012 to provide a means to evaluate compound identification tools on standardized sets of MS/MS data. In the publication “Revisiting Five Years of CASMI Contests with EPA Identification Tools” by McEachran et al, compound identification was performed on all 5 CASMI contest datasets using Dashboard tools and data in order to critically evaluate Dashboard performance relative to that of other applications. CASMI data were accessed via http://casmi-contest.org/<\/a> and processed for use in our spectral matching and identification workflow. We conducted an in-depth review of the CASMI structure sets which sometimes resulted in edits to structures as described in the publication and we are providing these edited datasets via the Dashboard as reference data. This is the CASMI2014 dataset.", + "listName": "CASMI2014", "chemicalCount": 54, "createdAt": "2020-06-19T17:46:44Z", "updatedAt": "2020-06-19T18:25:25Z", - "listName": "CASMI2014", "shortDescription": "The 2014 Critical Assessment of Small Molecules (CASMI) contest dataset" }, { "id": 945, "type": "other", - "label": "MASSSPEC: CASMI2016 Challenge Dataset", "visibility": "PUBLIC", + "label": "MASSSPEC: CASMI2016 Challenge Dataset", "longDescription": "The Critical Assessment of Small Molecules (CASMI) contests were initiated in 2012 to provide a means to evaluate compound identification tools on standardized sets of MS/MS data. In the publication “Revisiting Five Years of CASMI Contests with EPA Identification Tools” by McEachran et al, compound identification was performed on all 5 CASMI contest datasets using Dashboard tools and data in order to critically evaluate Dashboard performance relative to that of other applications. CASMI data were accessed via http://casmi-contest.org/<\/a> and processed for use in our spectral matching and identification workflow. We conducted an in-depth review of the CASMI structure sets which sometimes resulted in edits to structures as described in the publication and we are providing these edited datasets via the Dashboard as reference data. This is the CASMI2016 TEST dataset.", + "listName": "CASMI2016TEST", "chemicalCount": 230, "createdAt": "2020-06-19T18:11:57Z", "updatedAt": "2021-05-10T17:51:15Z", - "listName": "CASMI2016TEST", "shortDescription": "The 2016 Critical Assessment of Small Molecules (CASMI) contest dataset" }, { "id": 944, "type": "other", - "label": "MASSSPEC: CASMI2016 Training dataset", "visibility": "PUBLIC", + "label": "MASSSPEC: CASMI2016 Training dataset", "longDescription": "The Critical Assessment of Small Molecules (CASMI) contests were initiated in 2012 to provide a means to evaluate compound identification tools on standardized sets of MS/MS data. In the publication “Revisiting Five Years of CASMI Contests with EPA Identification Tools” by McEachran et al, compound identification was performed on all 5 CASMI contest datasets using Dashboard tools and data in order to critically evaluate Dashboard performance relative to that of other applications. CASMI data were accessed via http://casmi-contest.org/<\/a> and processed for use in our spectral matching and identification workflow. We conducted an in-depth review of the CASMI structure sets which sometimes resulted in edits to structures as described in the publication and we are providing these edited datasets via the Dashboard as reference data. This is the CASMI2016 Training dataset.", + "listName": "CASMI2016TRAIN", "chemicalCount": 353, "createdAt": "2020-06-19T17:58:53Z", "updatedAt": "2020-06-19T18:06:02Z", - "listName": "CASMI2016TRAIN", "shortDescription": "The 2016 Critical Assessment of Small Molecules (CASMI) contest dataset" }, { "id": 946, "type": "other", - "label": "MASSSPEC: CASMI2017 Dataset", "visibility": "PUBLIC", + "label": "MASSSPEC: CASMI2017 Dataset", "longDescription": "The Critical Assessment of Small Molecules (CASMI) contests were initiated in 2012 to provide a means to evaluate compound identification tools on standardized sets of MS/MS data. In the publication “Revisiting Five Years of CASMI Contests with EPA Identification Tools” by McEachran et al, compound identification was performed on all 5 CASMI contest datasets using Dashboard tools and data in order to critically evaluate Dashboard performance relative to that of other applications. CASMI data were accessed via http://casmi-contest.org/<\/a> and processed for use in our spectral matching and identification workflow. We conducted an in-depth review of the CASMI structure sets which sometimes resulted in edits to structures as described in the publication and we are providing these edited datasets via the Dashboard as reference data. This is the CASMI2017 Test dataset.", + "listName": "CASMI2017", "chemicalCount": 185, "createdAt": "2020-06-19T18:20:41Z", "updatedAt": "2020-06-19T18:20:56Z", - "listName": "CASMI2017", "shortDescription": "The 2017 Critical Assessment of Small Molecules (CASMI) contest dataset" }, { "id": 1676, "type": "other", - "label": "MASSSPEC: CASMI2022 Dataset", "visibility": "PUBLIC", + "label": "MASSSPEC: CASMI2022 Dataset", "longDescription": "The Critical Assessment of Small Molecules (CASMI) contests were initiated in 2012 to provide a means to evaluate compound identification tools on standardized sets of MS/MS data. In the publication “Revisiting Five Years of CASMI Contests with EPA Identification Tools” by McEachran et al, compound identification was performed on all 5 CASMI contest datasets using Dashboard tools and data in order to critically evaluate Dashboard performance relative to that of other applications. CASMI data were accessed via http://casmi-contest.org/<\/a> and processed for use in our spectral matching and identification workflow. We conducted an in-depth review of the CASMI structure sets which sometimes resulted in edits to structures as described in the publication and we are providing these edited datasets via the Dashboard as reference data. A smiliar approach has been conducted for the CASMI2022<\/a> Test dataset represented in this list.\r\n", + "listName": "CASMI2022", "chemicalCount": 497, "createdAt": "2022-12-21T15:57:05Z", "updatedAt": "2022-12-21T15:58:39Z", - "listName": "CASMI2022", "shortDescription": "The 2022 Critical Assessment of Small Molecules (CASMI) contest dataset" }, { "id": 659, "type": "other", - "label": "NORMAN|MASSPECDB: The Unified Collision Cross Section (CCS) Compendium", "visibility": "PUBLIC", + "label": "NORMAN|MASSPECDB: The Unified Collision Cross Section (CCS) Compendium", "longDescription": "Chemicals associated with >3800 experimental collision cross section (CCS) values (drift tube MS), provided to the NORMAN Suspect List Exchange<\/a> by Jackie Picache and John McLean, Vanderbilt University. Mapped to DTXSIDs by CAS Registry Number by E. Schymanski (Luxembourg Center for Systems Biomedicine); further curation ongoing. Further details available here<\/a>", + "listName": "CCSCOMPEND", "chemicalCount": 700, "createdAt": "2019-05-03T14:00:45Z", "updatedAt": "2019-05-06T14:34:21Z", - "listName": "CCSCOMPEND", "shortDescription": "Chemicals associated with >3800 experimental collision cross section (CCS) values" }, { "id": 957, "type": "other", - "label": "METABOLITES: HBM4EU CECscreen: Screening List for Chemicals of Emerging Concern", "visibility": "PUBLIC", + "label": "METABOLITES: HBM4EU CECscreen: Screening List for Chemicals of Emerging Concern", "longDescription": "HBM4EU CECscreen is a suspect screening list for Chemicals of Emerging Concern (CECs) plus metadata and predicted Phase 1 metabolites; this list contains the CECs only. CECScreen is part of the HBM4EU<\/a> project (coord. UBA) > WP16 \"emerging chemicals\" (lead INRA, JP Antignac/L Debrauwer) > Task 16.1 (lead IRAS, J Vlanderen / R Vermeulen) > Main contributor (J Meijer) > Involved Partners (M Lamoree, T Hamers, S Hutinet, A, Covaci, C Huber, M Krauss, DI Walker, EL Schymanski) and hosted on the NORMAN Suspect List Exchange<\/a>.Further details in Meijer et al (2021) DOI: 10.1016/j.envint.2021.106511<\/a>. Dataset DOI: 10.5281/zenodo.3956586<\/a>.\r\n\r\n\r\n", + "listName": "CECSCREEN", "chemicalCount": 56377, "createdAt": "2020-07-22T18:31:41Z", "updatedAt": "2021-03-24T08:13:12Z", - "listName": "CECSCREEN", "shortDescription": "HBM4EU CECscreen is a suspect screening list for Chemicals of Emerging Concern (CECs) plus metadata and predicted Phase 1 metabolites" }, { "id": 1512, "type": "other", - "label": "NORMAN|Chemicals of Emerging Concern (CECs) in plastic toys", "visibility": "PUBLIC", + "label": "NORMAN|Chemicals of Emerging Concern (CECs) in plastic toys", "longDescription": "A list of Chemicals of Concern (CoCs) found in plastic toys described in Aurisano et. Al. The list is categorized into four based on being included in regulatory lists of concern as well as reported hazard index (HI) and child cancer risk (CCR) based criteria. DOI: 10.1016/j.envint.2020.106194<\/a>\r\nDataset DOI : 10.5281/zenodo.5933615<\/a>. Data hosted on the NORMAN Suspect List Exchange<\/a>.\r\n", + "listName": "CECTOYS", "chemicalCount": 126, "createdAt": "2022-06-05T23:03:32Z", "updatedAt": "2022-06-05T23:09:26Z", - "listName": "CECTOYS", "shortDescription": "A list of Chemicals of Concern (CECs) found in plastic toys" }, { "id": 431, "type": "other", - "label": "ARTICLE: Collaborative Estrogen Receptor Activity Prediction Project (CERAPP)", "visibility": "PUBLIC", + "label": "ARTICLE: Collaborative Estrogen Receptor Activity Prediction Project (CERAPP)", "longDescription": "CERAPP (Collaborative Estrogen Receptor Activity Prediction Project) is a large-scale modeling project demonstrate the efficacy of using predictive computational models trained on high-throughput screening data to evaluate thousands of chemicals for ER-related activity and prioritize them for further testing. CERAPP combined multiple models developed in collaboration with 17 groups in the United States and Europe to predict ER activity of a common set of 32,464 chemical structures. Quantitative structure–activity relationship models and docking approaches were employed, mostly using a common training set of 1,677 chemical structures provided by the U.S. EPA, to build a total of 40 categorical and 8 continuous models for binding, agonist, and antagonist ER activity. All predictions were evaluated on a set of 7,522 chemicals curated from the literature. To overcome the limitations of single models, a consensus was built by weighting models on scores based on their evaluated accuracies. The work is described in this peer-reviewed publication: https://ehp.niehs.nih.gov/doi/10.1289/ehp.1510267<\/a>", + "listName": "CERAPP", "chemicalCount": 26071, "createdAt": "2017-11-27T12:48:38Z", "updatedAt": "2022-12-13T14:42:20Z", - "listName": "CERAPP", "shortDescription": "CERAPP uses predictive computational models trained on HTS data to evaluate thousands of chemicals for ER-related activity." }, { "id": 975, "type": "other", - "label": "WEAPONS: Chemical Weapons Convention (CWC)", "visibility": "PUBLIC", + "label": "WEAPONS: Chemical Weapons Convention (CWC)", "longDescription": "The Chemical Weapons Convention (CWC) is an international treaty that poses a complete ban on chemical weapons. The purpose of the CWC schedules is to support the treaty’s verification regime and declaration requirements. The schedules should not be construed as an exhaustive compilation of chemical warfare agents and precursors. Indeed, the CWC includes in its definition of chemical weapons “any chemical (emphasis added) which through its chemical action on life processes can cause death, temporary incapacitation or permanent harm to humans or animals.” Hence, any weapon designed to bring about death, temporary incapacitation, or permanent harm through the toxic properties of chemicals is to be considered a chemical weapon, and any toxic chemical at the basis of such weapons is to be considered a chemical warfare agent.\r\n\r\nThis data collection is sourced from the Constanzi Research group<\/a>.", + "listName": "CHEMWEAPONS", "chemicalCount": 63, "createdAt": "2020-08-15T16:02:09Z", "updatedAt": "2021-08-07T10:41:11Z", - "listName": "CHEMWEAPONS", "shortDescription": "The Chemical Weapons Convention (CWC) is an international treaty that poses a complete ban on chemical weapons." }, { "id": 2056, "type": "other", - "label": "Chemical Transformation Database ", "visibility": "PUBLIC", + "label": "Chemical Transformation Database ", "longDescription": "Chemicals registered to support the Chemical Transformations Database (CheT) developed within the EPA. This list of chemicals maps to all chemical transformations and reactions registered in the proof-of-concept database to support the ChET application. (Last Updated: April 1st 2024) ", + "listName": "CHETDB", "chemicalCount": 2128, "createdAt": "2024-04-01T13:00:45Z", "updatedAt": "2024-04-01T13:01:19Z", - "listName": "CHETDB", "shortDescription": "Chemicals registered to support the Chemical Transformations Database (CheT) developed within the EPA" }, { "id": 1344, "type": "other", - "label": "NORMAN|List of chlorination byproducts of 137 CECs and small disinfection byproducts", "visibility": "PUBLIC", + "label": "NORMAN|List of chlorination byproducts of 137 CECs and small disinfection byproducts", "longDescription": "A list of chlorination byproducts of 137 contaminants of emerging concern (CECs) and small molecular weight disinfection byproducts from the CHLORINE_TPs database, described in Postigo et al<\/a>. 91% are amenable to LC-ESI-HRMS. \r\nDataset DOI: 10.5281/zenodo.5767356<\/a>. Data hosted on the NORMAN Suspect List Exchange<\/a>.\r\n\r\n\r\n\r\n", + "listName": "CHLORINETPS", "chemicalCount": 329, "createdAt": "2021-12-10T20:53:04Z", "updatedAt": "2021-12-10T21:07:07Z", - "listName": "CHLORINETPS", "shortDescription": "List of chlorination byproducts of emerging concern (CECs) and small molecular weight disinfection byproducts" }, { "id": 1143, "type": "other", - "label": "LIST: Color Index (C.I.) Dyes ", "visibility": "PUBLIC", + "label": "LIST: Color Index (C.I.) Dyes ", "longDescription": "A list of dyes associated with the Color Index list and associated identifiers", + "listName": "CIDYES", "chemicalCount": 1801, "createdAt": "2021-04-24T21:00:24Z", "updatedAt": "2021-08-07T11:21:19Z", - "listName": "CIDYES", "shortDescription": "A list of dyes associated with the Color Index list and associated identifiers" }, { "id": 587, "type": "other", - "label": "TOBACCO|SMOKING|WIKILIST: Additives in cigarettes", "visibility": "PUBLIC", + "label": "TOBACCO|SMOKING|WIKILIST: Additives in cigarettes", "longDescription": "This is a partial list of the 599 additives in cigarettes submitted to the United States Department of Health and Human Services in April 1994. It applies, as documented, only to American manufactured cigarettes intended for distribution within the United States by the listed companies. The five major tobacco companies that reported the information were:\r\n\r\nAmerican Tobacco Company\r\nBrown and Williamson\r\nLiggett Group, Inc.\r\nPhilip Morris Inc.\r\nR.J. Reynolds Tobacco Company\r\n\r\nThe data were sourced from Wikipedia at https://en.wikipedia.org/wiki/List_of_additives_in_cigarettes<\/a>", + "listName": "CIGARETTES", "chemicalCount": 456, "createdAt": "2018-11-18T23:34:30Z", "updatedAt": "2021-08-07T08:44:23Z", - "listName": "CIGARETTES", "shortDescription": "This is a partial list of the 599 additives in cigarettes submitted to the United States Department of Health and Human Services in April 1994." }, { "id": 812, "type": "other", - "label": "ARTICLE: Collaborative Modeling Project for Androgen Receptor Activity (COMPARA)", "visibility": "PUBLIC", + "label": "ARTICLE: Collaborative Modeling Project for Androgen Receptor Activity (COMPARA)", "longDescription": "In support of the Endocrine Disruptor Screening Program<\/a>, the U.S. Environmental Protection Agency (EPA) led two worldwide consortiums to “virtually” (i.e., in silico) screen chemicals for their potential estrogenic and androgenic activities. A publication (in review) the \"Collaborative Modeling Project for Androgen Receptor Activity (CoMPARA)\" efforts, which follows the steps of the Collaborative Estrogen Receptor Activity Prediction Project (CERAPP)<\/a>. This CoMPARA list of screened chemicals built upon 32,464 chemicals<\/a> to include additional lists of interest, as well as simulated ToxCast metabolites, totaling over 55,000 chemical structures.", + "listName": "COMPARA", "chemicalCount": 55935, "createdAt": "2019-11-17T23:23:59Z", "updatedAt": "2024-04-01T10:24:42Z", - "listName": "COMPARA", "shortDescription": "COMPARA: A list related to the publication (in review), the \"Collaborative Modeling Project for Androgen Receptor Activity (CoMPARA)\" which follows on from the Collaborative Estrogen Receptor Activity Prediction Project (CERAPP)" }, { "id": 1250, "type": "other", - "label": "CATEGORY|COSMETICS: COSMOS DB cosmetics database", "visibility": "PUBLIC", + "label": "CATEGORY|COSMETICS: COSMOS DB cosmetics database", "longDescription": "COSMOS was a unique collaboration addressing the safety assessment needs of the cosmetics industry, without the use of animals. The main aim of COSMOS was to develop freely available tools and workflows to predict the safety to humans following the use of cosmetic ingredients. The project ran from January 2011 - December 2015.\r\n\r\nMajor results and links to the legacy tools are available from the COSMOS website<\/a>.\r\n\r\nThis is a partial listing and data curation is presently ongoing.", + "listName": "COSMOSDB", "chemicalCount": 7021, "createdAt": "2021-08-04T21:59:22Z", "updatedAt": "2021-08-04T22:01:01Z", - "listName": "COSMOSDB", "shortDescription": "COSMOS - Integrated in silico models for the prediction of human repeated-dose toxicity of COSMetics to Optimize Safety" }, { "id": 2042, "type": "other", - "label": "Navigation Panel to CPDat Versioned Structure Lists ", "visibility": "PUBLIC", + "label": "Navigation Panel to CPDat Versioned Structure Lists ", "longDescription": "CPDat lists are versioned iteratively and this description navigates between the various versions of the lists. The list displayed below represents the latest iteration (CPDATv2 - March 13th 2024) which is available via the ChemExpo application<\/a>. For the versioned lists please use the hyperlinked lists below.

\r\n\r\n
CPDATv2 - March 2024<\/a> This list

\r\n
CPDATv1 - February 2017<\/a>

\r\n", + "listName": "CPDAT", "chemicalCount": 34937, "createdAt": "2024-03-13T02:38:34Z", "updatedAt": "2024-03-13T15:06:57Z", - "listName": "CPDAT", "shortDescription": "CPDat Structure lists are versioned iteratively and this panel navigates between the various versions" }, { "id": 1871, "type": "other", - "label": "Chemical and Products Database v2", "visibility": "PUBLIC", + "label": "Chemical and Products Database v2", "longDescription": "This is a list of chemicals reported in the EPA's Chemical and Products Database and released via the
ChemExpo application<\/a>. (last updated March 13th 2024)", + "listName": "CPDATv2", "chemicalCount": 34937, "createdAt": "2023-10-04T15:13:05Z", "updatedAt": "2024-03-13T02:41:43Z", - "listName": "CPDATv2", "shortDescription": "Chemicals contained in the EPA's Chemical and Products Database: Version 2 (last updated March 13th 2024)" }, { "id": 146, "type": "other", - "label": "Carcinogenic Potency Database Summary Tables - All Species ", "visibility": "PUBLIC", + "label": "Carcinogenic Potency Database Summary Tables - All Species ", "longDescription": "Carcinogenic Potency Database Summary Tables - All Species ", + "listName": "CPDBAS", "chemicalCount": 1537, "createdAt": "2008-11-20T00:00:00Z", "updatedAt": "2021-08-06T23:21:33Z", - "listName": "CPDBAS", "shortDescription": "Carcinogenic Potency Database Summary Tables - All Species " }, { "id": 656, "type": "other", - "label": "PLASTICS|NORMAN: Database of Chemicals likely (List A) associated with Plastic Packaging (CPPdb)", "visibility": "PUBLIC", + "label": "PLASTICS|NORMAN: Database of Chemicals likely (List A) associated with Plastic Packaging (CPPdb)", "longDescription": "List compiled from a database of chemicals likely (List A, 903) and possibly (List B, 3353) associated with plastic packaging from Groh et al 2019<\/a>. Mapped to structures by CAS/Name by K. Groh (Food Packaging Forum Foundation) & E. Schymanski (Luxembourg Centre for Systems Biomedicine) for the NORMAN Suspect List Exchange<\/a>. Latest version (last update Oct 2018): DOI: 10.5281/zenodo.1287773<\/a>\r\n\r\n\r\n\r\n\r\n", + "listName": "CPPDBLISTA", "chemicalCount": 836, "createdAt": "2019-05-03T12:55:21Z", "updatedAt": "2019-05-18T21:37:13Z", - "listName": "CPPDBLISTA", "shortDescription": "List compiled from a database of chemicals likely (List A, 903) and possibly (List B, 3353) associated with plastic packaging from Groh et al 2019<\/a>. " }, { "id": 657, "type": "other", - "label": "PLASTICS|NORMAN: Database of Chemicals possibly (List B) associated with Plastic Packaging (CPPdb)", "visibility": "PUBLIC", + "label": "PLASTICS|NORMAN: Database of Chemicals possibly (List B) associated with Plastic Packaging (CPPdb)", "longDescription": "List compiled from a database of chemicals likely (List A, 903) and possibly (List B, 3353) associated with plastic packaging from Groh et al 2019<\/a>. Mapped to structures by CAS/Name by K. Groh (Food Packaging Forum Foundation) & E. Schymanski (Luxembourg Centre for Systems Biomedicine) for the NORMAN Suspect List Exchange<\/a>. Latest version (last update Oct 2018): DOI: 10.5281/zenodo.1287773<\/a>\r\n\r\n\r\n", + "listName": "CPPDBLISTB", "chemicalCount": 2862, "createdAt": "2019-05-03T13:00:40Z", "updatedAt": "2019-05-18T21:37:56Z", - "listName": "CPPDBLISTB", "shortDescription": "List compiled from a database of chemicals likely (List A, 903) and possibly (List B, 3353) associated with plastic packaging from Groh et al 2019<\/a>." }, { "id": 1521, "type": "other", - "label": "EXTRACTABLES: List related to prediction of Collision Cross-Section Values for Extractables and Leachables", "visibility": "PUBLIC", + "label": "EXTRACTABLES: List related to prediction of Collision Cross-Section Values for Extractables and Leachables", "longDescription": "List of chemicals extracted from the supplementary information associated with the article \"Prediction of Collision Cross-Section Values for Extractables and Leachables from Plastic Products\"<\/a>.\r\n", + "listName": "CSSEXTRACTS", "chemicalCount": 1071, "createdAt": "2022-06-25T17:09:26Z", "updatedAt": "2024-04-02T13:29:18Z", - "listName": "CSSEXTRACTS", "shortDescription": "List of chemicals extracted from the supplementary information associated with the article \"Prediction of Collision Cross-Section Values for Extractables and Leachables from Plastic Products\"\r\n" }, { "id": 168, "type": "other", - "label": "Comparative Toxicogenomics Database", "visibility": "PUBLIC", + "label": "Comparative Toxicogenomics Database", "longDescription": "CTD is a robust, publicly available database that aims to advance understanding about how environmental exposures affect human health. It provides manually curated information about chemical–gene/protein interactions, chemical–disease and gene–disease relationships. These data are integrated with functional and pathway data to aid in development of hypotheses about the mechanisms underlying environmentally influenced diseases.", + "listName": "CTD", "chemicalCount": 56222, "createdAt": "2016-01-04T13:22:12Z", "updatedAt": "2024-02-09T20:30:11Z", - "listName": "CTD", "shortDescription": "CTD is a robust, publicly available database that aims to advance understanding about how environmental exposures affect human health." }, { "id": 1059, "type": "other", - "label": "NORMAN: Comprehensive database of secondary metabolites from cyanobacteria", "visibility": "PUBLIC", + "label": "NORMAN: Comprehensive database of secondary metabolites from cyanobacteria", "longDescription": "CyanoMetDB is a comprehensive database of secondary metabolites from cyanobacteria manually curated from primary references described in Jones et al (2021)<\/a>, DOI:10.1016/j.watres.2021.117017 and hosted on the NORMAN Suspect List Exchange (https://www.norman-network.com/nds/SLE/<\/a>). Dataset DOI: 10.5281/zenodo.4551528<\/a>", + "listName": "CYANOMETDB", "chemicalCount": 2078, "createdAt": "2021-02-19T18:46:20Z", "updatedAt": "2021-09-20T11:48:25Z", - "listName": "CYANOMETDB", "shortDescription": "CyanoMetDB is a comprehensive database of secondary metabolites from cyanobacteria" }, { "id": 852, "type": "other", - "label": "LIST: Disinfection By-products (Richardson et al)", "visibility": "PUBLIC", + "label": "LIST: Disinfection By-products (Richardson et al)", "longDescription": "A list of disinfection by-products associated with Susan Richardson Disinfection By-Products: Formation and Occurrence in Drinking Water. Chapter 2<\/a>, J.O. Nriagu (ed.), Encyclopedia of Environmental Health. Elsevier Science Inc., Burlington, MA, 2:110-136, (2011).\r\n", + "listName": "DBP", "chemicalCount": 622, "createdAt": "2020-03-03T16:41:44Z", "updatedAt": "2021-09-23T19:12:22Z", - "listName": "DBP", "shortDescription": "List of disinfection by-products" }, { "id": 1893, "type": "other", - "label": "Department of Homeland Security Chemicals of Interest", "visibility": "PUBLIC", + "label": "Department of Homeland Security Chemicals of Interest", "longDescription": "Department of Homeland Security Chemicals of Interest: Appendix A to Part 27 of the Code of Federal Regulations (CFR) is a list of chemicals of interest (COI) and their screening threshold quantities (STQs). The Department of Homeland Security (DHS) included this list in the Chemical Facility Anti-Terrorism Standards (CFATS) Interim Final Rule. The date listed are harvested from the spreadsheet here<\/a>.\r\n\r\n\r\n\r\n", + "listName": "DHSCHEMS", "chemicalCount": 316, "createdAt": "2023-12-12T15:51:28Z", "updatedAt": "2024-01-14T17:53:54Z", - "listName": "DHSCHEMS", "shortDescription": "Department of Homeland Security Chemicals of Interest: Appendix A to Part 27 of the Code of Federal Regulations (CFR)" }, { "id": 1677, "type": "other", - "label": "List of data associated with Experimental Diffusivity", "visibility": "PUBLIC", + "label": "List of data associated with Experimental Diffusivity", "longDescription": "List of data associated with Experimental Diffusivity from the article \"Representation and Prediction of Molecular Diffusivity of Nonelectrolyte Organic Compounds in Water at Infinite Dilution Using the Artificial Neural Network-Group Contribution Method\" at https://pubs.acs.org/doi/10.1021/je101190p", + "listName": "DIFFUSIVITY", "chemicalCount": 4818, "createdAt": "2023-01-05T16:30:00Z", "updatedAt": "2023-01-30T11:37:53Z", - "listName": "DIFFUSIVITY", "shortDescription": "List of data associated with Experimental Diffusivity from the article \"Representation and Prediction of Molecular Diffusivity of Nonelectrolyte Organic Compounds in Water at Infinite Dilution Using the Artificial Neural Network-Group Contribution Method\" at https://pubs.acs.org/doi/10.1021/je101190p" }, { "id": 565, "type": "other", - "label": "NEURO: Chemicals Demonstrating Effects on Neurodevelopment", "visibility": "PUBLIC", + "label": "NEURO: Chemicals Demonstrating Effects on Neurodevelopment", "longDescription": "This is a list of chemicals with data demonstrating effects on neurodevelopment, described in Table 1 of Mundy et al 2015 (http://dx.doi.org/10.1016/j.ntt.2015.10.001). See publication for more details.", + "listName": "DNTEFFECTS", "chemicalCount": 96, "createdAt": "2018-11-16T13:47:09Z", "updatedAt": "2018-11-16T20:34:03Z", - "listName": "DNTEFFECTS", "shortDescription": "This is a list of chemicals with data demonstrating effects on neurodevelopment" }, { "id": 566, "type": "other", - "label": "NEURO: Chemicals Triggering Developmental Neurotoxicity In Vivo", "visibility": "PUBLIC", + "label": "NEURO: Chemicals Triggering Developmental Neurotoxicity In Vivo", "longDescription": "This is a (non-exhaustive) list of compounds documented to trigger developmental neurotoxicity (DNT) in at least two different laboratories, described in Table 5 of Aschner et al 2017 (https://doi.org/10.14573/altex.1604201). See publication for more details.", + "listName": "DNTINVIVO", "chemicalCount": 33, "createdAt": "2018-11-16T13:49:37Z", "updatedAt": "2018-11-16T20:38:06Z", - "listName": "DNTINVIVO", "shortDescription": "This is a (non-exhaustive) list of compounds documented to trigger developmental neurotoxicity (DNT) in at least two different laboratories." }, { "id": 581, "type": "other", - "label": "NEURO: Potential Negative Controls for DNT Assays", "visibility": "PUBLIC", + "label": "NEURO: Potential Negative Controls for DNT Assays", "longDescription": "This is a list of suggested potential negative controls for developmental neurotoxicity (DNT) assays, described in Table 4 of Aschner et al 2017 (https://doi.org/10.14573/altex.1604201). See publication for more details. Statins are also included in Table 4 but not mapped. A list of statins can be found at https://comptox.epa.gov/dashboard/chemical_lists/statins<\/a>. The statin list is undergoing constant curation and will expand with each release as new data becomes available. ", + "listName": "DNTPOTNEG", "chemicalCount": 41, "createdAt": "2018-11-16T15:13:10Z", "updatedAt": "2018-11-16T20:38:57Z", - "listName": "DNTPOTNEG", "shortDescription": "This is a list of suggested potential negative controls for developmental neurotoxicity (DNT) assays, described in Table 4 of Aschner et al 2017 (https://doi.org/10.14573/altex.1604201). " }, { "id": 329, "type": "other", - "label": "NEURO: Developmental Neurotox Reference List", "visibility": "PUBLIC", + "label": "NEURO: Developmental Neurotox Reference List", "longDescription": "Reference list of chemicals known or suspected of causing developmental neurotoxicity in animals or humans based on review of the literature and published studies. ", + "listName": "DNTREF", "chemicalCount": 1482, "createdAt": "2017-03-09T17:09:54Z", "updatedAt": "2018-11-16T21:32:08Z", - "listName": "DNTREF", "shortDescription": "Reference list of chemicals for developmental neurotoxicity." }, { "id": 567, "type": "other", - "label": "NEURO: DNT Screening Library", "visibility": "PUBLIC", + "label": "NEURO: DNT Screening Library", "longDescription": "DNTSCREEN is a list of chemicals that is being used in medium- and high-throughput in vitro and zebrafish assays. These assays assess targets, processes and functions important for nervous system development. Note that this is simply a list of what has been tested and does not indicate whether any effects were observed. This list was compiled from published sources and a survey of researchers working in this area.", + "listName": "DNTSCREEN", "chemicalCount": 1476, "createdAt": "2018-11-16T14:38:56Z", "updatedAt": "2018-11-18T19:36:04Z", - "listName": "DNTSCREEN", "shortDescription": "DNTSCREEN is a list of chemicals that is being used in medium- and high-throughput in vitro and zebrafish assays." }, { "id": 410, "type": "other", - "label": "CATEGORY|PHARMACEUTICALS: DrugBank database from the University of Alberta", "visibility": "PUBLIC", + "label": "CATEGORY|PHARMACEUTICALS: DrugBank database from the University of Alberta", "longDescription": "The DrugBank database<\/a> is a unique bioinformatics and cheminformatics resource that combines detailed drug (i.e. chemical, pharmacological and pharmaceutical) data with comprehensive drug target (i.e. sequence, structure, and pathway) information. The database contains 9591 drug entries including 2037 FDA-approved small molecule drugs, 241 FDA-approved biotech (protein/peptide) drugs, 96 nutraceuticals and over 6000 experimental drugs. Additionally, 4661 non-redundant protein (i.e. drug target/enzyme/transporter/carrier) sequences are linked to these drug entries. Each DrugCard entry contains more than 200 data fields with half of the information being devoted to drug/chemical data and the other half devoted to drug target or protein data.\r\n\r\n", + "listName": "DRUGBANK", "chemicalCount": 5310, "createdAt": "2017-07-30T07:28:51Z", "updatedAt": "2023-11-09T23:11:15Z", - "listName": "DRUGBANK", "shortDescription": "The DrugBank database combines detailed drug (i.e. chemical, pharmacological and pharmaceutical) data with comprehensive drug target (i.e. sequence, structure, and pathway) information. " }, { "id": 1891, "type": "other", - "label": "CATEGORY|PHARMACEUTICALS: DrugBank database from the University of Alberta", "visibility": "PUBLIC", + "label": "CATEGORY|PHARMACEUTICALS: DrugBank database from the University of Alberta", "longDescription": "The DrugBank database<\/a> is a unique bioinformatics and cheminformatics resource that combines detailed drug (i.e. chemical, pharmacological and pharmaceutical) data with comprehensive drug target (i.e. sequence, structure, and pathway) information. The database contains 9591 drug entries including 2037 FDA-approved small molecule drugs, 241 FDA-approved biotech (protein/peptide) drugs, 96 nutraceuticals and over 6000 experimental drugs. Additionally, 4661 non-redundant protein (i.e. drug target/enzyme/transporter/carrier) sequences are linked to these drug entries. Each DrugCard entry contains more than 200 data fields with half of the information being devoted to drug/chemical data and the other half devoted to drug target or protein data. (updated 11th November 2023)", + "listName": "DRUGBANKV2", "chemicalCount": 7168, "createdAt": "2023-11-09T23:28:52Z", "updatedAt": "2023-11-09T23:40:50Z", - "listName": "DRUGBANKV2", "shortDescription": "The DrugBank database combines detailed drug (i.e. chemical, pharmacological and pharmaceutical) data with comprehensive drug target (i.e. sequence, structure, and pathway) information. (updated 11th November 2023)" }, { "id": 1296, "type": "other", - "label": "NORMAN | Persistent, Mobile and Toxic (PMT) Substance Suspect List from Eawag", "visibility": "PUBLIC", + "label": "NORMAN | Persistent, Mobile and Toxic (PMT) Substance Suspect List from Eawag", "longDescription": "A Persistent, Mobile and Toxic (PMT) substances suspect screening list containing >1100 entries from Kiefer et al (2021)<\/a> hosted on the NORMAN Suspect List Exchange<\/a>. Dataset DOI: 10.5281/zenodo.5500131<\/a>\r\n\r\n\r\n\r\n\r\n\r\n", + "listName": "EAWAGPMT", "chemicalCount": 1148, "createdAt": "2021-09-10T19:46:58Z", "updatedAt": "2021-09-23T18:58:56Z", - "listName": "EAWAGPMT", "shortDescription": "Persistent, Mobile and Toxic (PMT) substances suspect screening list" }, { "id": 396, "type": "other", - "label": "WATER: Surfactants Screened in Swiss Wastewater 2014", "visibility": "PUBLIC", + "label": "WATER: Surfactants Screened in Swiss Wastewater 2014", "longDescription": "EAWAGSURF is a list of surfactants screened in Swiss wastewater effluents as part of a study published in 2014. The original suspect list contained only masses and formulas, these are being curated progressively by E. Schymanski and A. Williams to develop representative structures and links to the starting mixtures. The substance classes and methods are detailed in Schymanski et al 2014, DOI: 10.1021/es4044374<\/a>. The original data is available on the NORMAN Suspect List Exchange<\/a>.", + "listName": "EAWAGSURF", "chemicalCount": 116, "createdAt": "2017-07-16T07:58:05Z", "updatedAt": "2018-11-16T20:53:09Z", - "listName": "EAWAGSURF", "shortDescription": "EAWAGSURF is a list of surfactants screened in Swiss wastewater effluents as part of a 2014 study. Structures/mixtures are being progressively curated and linked (Schymanski/Williams). Further details in Schymanski et al 2014, DOI: 10.1021/es4044374" }, { "id": 891, "type": "other", - "label": "NORMAN: Parent-Transformation Product Pairs from Eawag", "visibility": "PUBLIC", + "label": "NORMAN: Parent-Transformation Product Pairs from Eawag", "longDescription": "Parent-Transformation True Product Pairs of various micropollutants from Eawag: Swiss Federal Institute for Aquatic Science and Technology<\/a>, described in Schollee et al 2017<\/a>. Dataset DOI: 10.5281/zenodo.3754449<\/a>\r\n", + "listName": "EAWAGTPS", "chemicalCount": 232, "createdAt": "2020-04-24T07:40:05Z", "updatedAt": "2020-04-24T07:40:29Z", - "listName": "EAWAGTPS", "shortDescription": "Parent-Transformation Product Pairs of various micropollutants" }, { "id": 693, "type": "other", - "label": "NORMAN: European Food Safety Authority Priority Substances", "visibility": "PUBLIC", + "label": "NORMAN: European Food Safety Authority Priority Substances", "longDescription": "List of 212 REACH substances prioritized by Oltmanns et al., DOI: 10.2903/sp.efsa.2019.EN-1597<\/a>, European Food Safety Authority (EFSA). 2,336 compounds were assessed for (i) environmental release, (ii) biodegradation, (iii) bioaccumulation in food/feed and (iv) toxicity, resulting in 212 priority compounds. Full tables with additional data on the NORMAN Suspect List Exchange (https://www.norman-network.com/nds/SLE/<\/a>). DOI: 10.5281/zenodo.3248994<\/a>.", + "listName": "EFSAPRI", "chemicalCount": 178, "createdAt": "2019-06-21T21:45:43Z", "updatedAt": "2019-06-21T21:46:05Z", - "listName": "EFSAPRI", "shortDescription": "List of 212 REACH substances prioritized by Oltmanns et al., DOI: 10.2903/sp.efsa.2019.EN-1597<\/a>," }, { "id": 947, "type": "other", - "label": "NORMAN: Environmental Institute GC-EI-MS suspect list", "visibility": "PUBLIC", + "label": "NORMAN: Environmental Institute GC-EI-MS suspect list", "longDescription": "GC-EI-MS suspect list of Environmental Institute. Provided by Peter Oswald, Nikiforos Alygizakis, Martina Oswaldova, Jaroslav Slobodnik (Environmental Institute, Slovakia) to the NORMAN Suspect List Exchange<\/a>. Dataset DOI: 10.5281/zenodo.3894827<\/a>.\r\n\r\n\r\n\r\n", + "listName": "EISUSGCEIMS", "chemicalCount": 2971, "createdAt": "2020-06-21T11:14:52Z", "updatedAt": "2020-06-21T11:17:25Z", - "listName": "EISUSGCEIMS", "shortDescription": "GC-EI-MS suspect list of Environmental Institute." }, { "id": 538, "type": "other", - "label": "WATER: Surfactant Suspect List from EI and UBA", "visibility": "PUBLIC", + "label": "WATER: Surfactant Suspect List from EI and UBA", "longDescription": "This surfactant suspect list is a compiled list of eco-labeled surfactants from Environmental Institute (EI, SK) and the German Federal Environmental Agency (UBA, DE) and is a combined effort to assign chemical structures to UVCB chemicals based on names and prior knowledge. Complete mapping is ongoing. The full list can be found at the NORMAN Suspect Exchange (https://www.norman-network.com/?q=node/236). Provided by Nikiforos Alygizakis.", + "listName": "EIUBASURF", "chemicalCount": 293, "createdAt": "2018-08-19T08:58:42Z", "updatedAt": "2018-11-16T20:56:53Z", - "listName": "EIUBASURF", "shortDescription": "This surfactant suspect list is a compiled list of eco-labeled surfactants from Environmental Institute (EI, SK) and the German Federal Environmental Agency (UBA, DE)." }, { "id": 561, "type": "other", - "label": "LIST: Periodic Table of Elements", "visibility": "PUBLIC", + "label": "LIST: Periodic Table of Elements", "longDescription": "The list of all elements in the periodic table of element up to atomic number 108", + "listName": "ELEMENTS", "chemicalCount": 108, "createdAt": "2018-11-11T00:01:40Z", "updatedAt": "2023-12-16T00:26:51Z", - "listName": "ELEMENTS", "shortDescription": "The list of all elements in the periodic table of elements" }, { "id": 797, "type": "other", - "label": "EXTRACTABLES: Extractables & Leachables Safety Information Exchange (ELSIE)", "visibility": "PUBLIC", + "label": "EXTRACTABLES: Extractables & Leachables Safety Information Exchange (ELSIE)", "longDescription": "The Extractables and Leachables Safety Information Exchange (ELSIE: https://www.elsiedata.org/) was established by scientists in pharmaceuticals companies to advance the concept of sharing pre-competitive safety information on extractables and leachables, among industry. The vision was that such a collaborative effort would reduce duplicative safety studies across companies, streamline development projects, and allow industry and other stakeholders to share experiences and information to help advance the practice and science of extractables, leachables and materials evaluation. ", + "listName": "ELSIE", "chemicalCount": 457, "createdAt": "2019-11-16T18:14:28Z", "updatedAt": "2019-11-16T18:36:25Z", - "listName": "ELSIE", "shortDescription": "ELSIE: Extractables and Leachables Safety Information Exchange" }, + { + "id": 1606, + "type": "other", + "visibility": "PUBLIC", + "label": "EXTRACTABLES: Extractables & Leachables Safety Information Exchange (ELSIE)", + "longDescription": "The Extractables and Leachables Safety Information Exchange (ELSIE: https://www.elsiedata.org/) was established by scientists in pharmaceuticals companies to advance the concept of sharing pre-competitive safety information on extractables and leachables, among industry. The vision was that such a collaborative effort would reduce duplicative safety studies across companies, streamline development projects, and allow industry and other stakeholders to share experiences and information to help advance the practice and science of extractables, leachables and materials evaluation. (Updated June 23rd 2024)", + "listName": "ELSIEV2", + "chemicalCount": 502, + "createdAt": "2022-08-19T15:54:22Z", + "updatedAt": "2024-06-23T21:53:48Z", + "shortDescription": "ELSIE: Extractables and Leachables Safety Information Exchange" + }, { "id": 455, "type": "other", - "label": "EPA: Consumer Products Suspect Screening Result", "visibility": "PUBLIC", + "label": "EPA: Consumer Products Suspect Screening Result", "longDescription": "This is a compiled list of the suspects reported in the supporting information of Phillips et al 2018, Suspect Screening Analysis of Chemicals in Consumer Products with GCxGC-TOF/MS<\/a>. This list contains both compounds that were identified in the screening (whether tentative or confirmed) and all analytical standards that were used to confirm tentative identifications in the study.", + "listName": "EPACONS", "chemicalCount": 1705, "createdAt": "2018-03-02T08:57:25Z", "updatedAt": "2018-11-18T19:38:44Z", - "listName": "EPACONS", "shortDescription": "This is a compiled list of the suspects reported in the supporting information of Phillips et al 2018, DOI: 10.1021/acs.est.7b04781 - Suspect Screening Analysis of Chemicals in Consumer Products with GCxGC-TOF/MS." }, { "id": 774, "type": "other", - "label": "PFAS|EPA|WATER: Existing EPA DW Method 537.1", "visibility": "PUBLIC", + "label": "PFAS|EPA|WATER: Existing EPA DW Method 537.1", "longDescription": "EPA has recently revised method 537.1 for the PFAS on this list to detect them in drinking water. ", + "listName": "EPAPFASDW537", "chemicalCount": 19, "createdAt": "2019-11-16T11:05:11Z", "updatedAt": "2019-11-16T11:05:43Z", - "listName": "EPAPFASDW537", "shortDescription": "EPA has recently revised method 537.1 for the PFAS on this list to detect them in drinking water. " }, { "id": 781, "type": "other", - "label": "PFAS|EPA|WATER: Drinking Water Treatment Technology", "visibility": "PUBLIC", + "label": "PFAS|EPA|WATER: Drinking Water Treatment Technology", "longDescription": "EPA is gathering and evaluating treatment effectiveness and cost data for removing these PFAS from drinking water systems.", + "listName": "EPAPFASDWTREAT", "chemicalCount": 9, "createdAt": "2019-11-16T13:09:19Z", "updatedAt": "2019-11-16T13:09:38Z", - "listName": "EPAPFASDWTREAT", "shortDescription": "EPA is gathering and evaluating treatment effectiveness and cost data for removing these PFAS from drinking water systems." }, { "id": 771, "type": "other", - "label": "PFAS|EPA: In Vivo Studies Available", "visibility": "PUBLIC", + "label": "PFAS|EPA: In Vivo Studies Available", "longDescription": "These PFAS have published animal toxicity studies available in the online HERO database.", + "listName": "EPAPFASINVIVO", "chemicalCount": 23, "createdAt": "2019-11-16T10:53:54Z", "updatedAt": "2019-11-16T10:54:18Z", - "listName": "EPAPFASINVIVO", "shortDescription": "These PFAS have published animal toxicity studies available in the online HERO database." }, { "id": 770, "type": "other", - "label": "PFAS|EPA: Literature Search Completed:", "visibility": "PUBLIC", + "label": "PFAS|EPA: Literature Search Completed:", "longDescription": "This lists defines a list of PFAS chemicals for which EPA completed a literature review of published toxicity studies for these PFAS. ", + "listName": "EPAPFASLITSEARCH", "chemicalCount": 23, "createdAt": "2019-11-16T10:50:38Z", "updatedAt": "2019-11-16T10:51:01Z", - "listName": "EPAPFASLITSEARCH", "shortDescription": "A literature review of published toxicity studies for these PFAS" }, { "id": 775, "type": "other", - "label": "PFAS|EPA: New EPA Method Non-Drinking Water", "visibility": "PUBLIC", + "label": "PFAS|EPA: New EPA Method Non-Drinking Water", "longDescription": "EPA is developing and validating a new method for detecting these PFAS in non-drinking water sources. ", + "listName": "EPAPFASNONDW", "chemicalCount": 24, "createdAt": "2019-11-16T11:07:58Z", "updatedAt": "2019-11-16T11:08:19Z", - "listName": "EPAPFASNONDW", "shortDescription": "EPA is developing and validating a new method for detecting these PFAS in non-drinking water sources. " }, { "id": 772, "type": "other", - "label": "PFAS|EPA: EPA PFAS Research List", "visibility": "PUBLIC", + "label": "PFAS|EPA: EPA PFAS Research List", "longDescription": "EPA PFAS Research: The list of PFAS EPA is currently researching using various scientific approaches. \r\n

PFAS|EPA: Literature Search Completed:<\/a> EPA completed a literature review of published toxicity studies for these PFAS.

\r\n
PFAS|EPA: In Vivo Studies Available:<\/a> These PFAS have published animal toxicity studies available in the online HERO database.

\r\n
PFAS|EPA: Toxicity Assessments:<\/a> EPA is in the process of developing toxicity assessments for the PFAS on this list.

\r\n
PFAS|EPA: Existing EPA DW Method 537.1:<\/a> EPA has recently revised method 537.1 for the PFAS on this list to detect them in drinking water.

\r\n
PFAS|EPA: New EPA Method Non-Drinking Water:<\/a> EPA is developing and validating a new method for detecting these PFAS in non-drinking water sources.

\r\n
PFAS|EPA: New EPA Method Drinking Water:<\/a> EPA is developing and validating a new method for detecting these PFAS in drinking water sources.

\r\n
PFAS|EPA: Drinking Water Treatment Technology:<\/a> EPA is gathering and evaluating treatment effectiveness and cost data for removing these PFAS from drinking water systems.

\r\n
PFAS|EPA: List of 75 Test Samples (Set 1):<\/a> corresponds to 75 samples (Set 1) submitted for initial testing screens conducted by EPA researchers in collaboration with researchers at the National Toxicology Program.

\r\n
PFAS|EPA: List of 75 Test Samples (Set ):<\/a> corresponds to a second set of 75 samples (Set 2) submitted for testing screens conducted by EPA researchers in collaboration with researchers at the National Toxicology Program.

", + "listName": "EPAPFASRESEARCH", "chemicalCount": 165, "createdAt": "2019-11-16T10:58:10Z", "updatedAt": "2019-11-16T10:58:35Z", - "listName": "EPAPFASRESEARCH", "shortDescription": "The list of PFAS EPA is currently researching using various scientific approaches. " }, { "id": 773, "type": "other", - "label": "PFAS|EPA: Toxicity Assessments", "visibility": "PUBLIC", + "label": "PFAS|EPA: Toxicity Assessments", "longDescription": "EPA is in the process of developing toxicity assessments for the PFAS on this list. ", + "listName": "EPAPFASTOX", "chemicalCount": 9, "createdAt": "2019-11-16T11:02:30Z", "updatedAt": "2019-11-16T11:02:43Z", - "listName": "EPAPFASTOX", "shortDescription": "EPA is in the process of developing toxicity assessments for the PFAS on this list. " }, { "id": 1612, "type": "other", - "label": "EPA Substance Registry Service (October 2022)", "visibility": "PUBLIC", + "label": "EPA Substance Registry Service (October 2022)", "longDescription": "Substance Registry Services (SRS) is the Environmental Protection Agency's (EPA) central system for information about substances that are tracked or regulated by EPA or other sources. It is the authoritative resource for basic information about chemicals, biological organisms, and other substances of interest to EPA and its state and tribal partners.\r\n\r\nThe SRS makes it possible to identify which EPA data systems, environmental statutes, or other sources have information about a substance and which synonym is used by that system or statute. It becomes possible therefore to map substance data across EPA programs regardless of synonym.\r\n\r\nThe system provides a common basis for identification of, and information about:\r\n\r\nChemicals\r\nBiological organisms\r\nPhysical properties\r\nMiscellaneous objects\r\n\r\n(Updated October 2022)", + "listName": "EPASRS2022V3", "chemicalCount": 93401, "createdAt": "2022-10-03T09:09:48Z", "updatedAt": "2023-08-19T12:38:07Z", - "listName": "EPASRS2022V3", "shortDescription": "The Substance Registry Services (SRS) is an EPA resource for information about chemicals, biological organisms, and other substances tracked or regulated by EPA. (Updated October 2022)" }, { "id": 1888, "type": "other", - "label": "EPA|EPA Substance Registry Service (November 2023)", "visibility": "PUBLIC", + "label": "EPA|EPA Substance Registry Service (November 2023)", "longDescription": "Substance Registry Services (SRS) is the Environmental Protection Agency's (EPA) central system for information about substances that are tracked or regulated by EPA or other sources. It is the authoritative resource for basic information about chemicals, biological organisms, and other substances of interest to EPA and its state and tribal partners.\r\n\r\nThe SRS makes it possible to identify which EPA data systems, environmental statutes, or other sources have information about a substance and which synonym is used by that system or statute. It becomes possible therefore to map substance data across EPA programs regardless of synonym.\r\n\r\nThe system provides a common basis for identification of, and information about:\r\n\r\nChemicals\r\nBiological organisms\r\nPhysical properties\r\nMiscellaneous objects\r\n\r\n(Updated November 2023)", + "listName": "EPASRS2023V5", "chemicalCount": 96005, "createdAt": "2023-10-31T15:34:26Z", "updatedAt": "2024-01-30T14:34:23Z", - "listName": "EPASRS2023V5", "shortDescription": "The Substance Registry Services (SRS) is an EPA resource for information about chemicals, biological organisms, and other substances tracked or regulated by EPA. (Updated November 2023)" }, { "id": 531, "type": "other", - "label": "NORMAN: Biocides from the NORMAN Priority List ", "visibility": "PUBLIC", + "label": "NORMAN: Biocides from the NORMAN Priority List ", "longDescription": "This is a list of compounds currently used in the EU as biocides (and partly also as plant protection products or industrial chemicals under the respective EU regulations) or compounds recently banned in the EU as biocides from the 2015 NORMAN priority list, which have been prioritized and assessed for exposure by NORMAN using data from ECHA and other sources. List provided by NORMAN. For more details see the NORMAN Suspect Exchange (https://www.norman-network.com/?q=node/236).", + "listName": "EUBIOCIDES", "chemicalCount": 160, "createdAt": "2018-07-26T23:24:21Z", "updatedAt": "2018-11-17T15:06:08Z", - "listName": "EUBIOCIDES", "shortDescription": "List of compounds currently used in the EU as biocides or compounds recently banned as biocides from the 2015 NORMAN priority list, prioritized and assessed for exposure by NORMAN using data from ECHA and other sources." }, { "id": 878, "type": "other", - "label": "EU Toxrisk Dataset", "visibility": "PUBLIC", + "label": "EU Toxrisk Dataset", "longDescription": "This workbook collects notes and documentation for the workbook containing compounds of interest to the EU-ToxRisk Case Studies. The associated website is available
here<\/a>.", + "listName": "EUTOXRISK", "chemicalCount": 257, "createdAt": "2020-04-21T13:47:34Z", "updatedAt": "2020-04-21T13:48:11Z", - "listName": "EUTOXRISK", "shortDescription": "Compounds of interest to the EU-ToxRisk Case Studies." }, { "id": 571, "type": "other", - "label": "NORMAN:Exposome-Explorer", "visibility": "PUBLIC", + "label": "NORMAN:Exposome-Explorer", "longDescription": "Exposome-Explorer<\/a>is a database dedicated to biomarkers of exposure to environmental risk factors for diseases. It contains detailed information on the nature of biomarkers, populations and subjects in which biomarkers have been measured, samples analysed, methods used for biomarker analyses, concentrations in biospecimens, correlations with external exposure measurements, and biological reproducibility over time. This list contains mappings to all discrete chemicals in the Exposome-Explorer. The methods are detailed in Neveu et al 2017<\/a>.\r\n\r\n\r\n", + "listName": "EXPOSOMEXPL", "chemicalCount": 440, "createdAt": "2018-11-16T14:46:34Z", "updatedAt": "2022-06-28T18:56:41Z", - "listName": "EXPOSOMEXPL", "shortDescription": "Exposome-Explorer: Biomarkers of exposure to environmental risk factors for diseases" }, { "id": 798, "type": "other", - "label": "EXTRACTABLES:Leachable Chemical Substances from Common Drinking Water Piping Materials", "visibility": "PUBLIC", + "label": "EXTRACTABLES:Leachable Chemical Substances from Common Drinking Water Piping Materials", "longDescription": "List of chemicals from the article \"Characterization of Leachable Chemical Substances from Common Drinking Water Piping Materials\" by Pizurro et al [https://esemag.com/wp-content/uploads/2018/06/Pizzurro-et-al_2018_Piping-Review-White-Paper.pdf]", + "listName": "EXTRACTPIPES", "chemicalCount": 151, "createdAt": "2019-11-16T19:57:51Z", "updatedAt": "2019-11-16T19:58:21Z", - "listName": "EXTRACTPIPES", "shortDescription": "List of chemicals from the article \"Characterization of Leachable Chemical Substances from Common Drinking Water Piping Materials\"" }, { "id": 1139, "type": "other", - "label": "LIST: Fentanyl Analogues", "visibility": "PUBLIC", + "label": "LIST: Fentanyl Analogues", "longDescription": "Fentanyl, also spelled fentanil, is an opioid used as a pain medication. Fentanyl analogues include both compounds developed by pharmaceutical companies for legitimate medical use, and those which have been sold as designer drugs. This list is an assembly of analogues from public resources and is under constant curation.", + "listName": "FENTANYLS", "chemicalCount": 398, "createdAt": "2021-04-22T17:33:08Z", "updatedAt": "2022-05-16T12:41:24Z", - "listName": "FENTANYLS", "shortDescription": "A list of fentanyl analogues include both compounds developed by pharmaceutical companies and as designer drugs." }, { "id": 1165, "type": "other", - "label": "List of chemicals in fertilizers", "visibility": "PUBLIC", + "label": "List of chemicals in fertilizers", "longDescription": "A list of chemicals in fertilizers assembled from various public sources", + "listName": "FERTILIZERS", "chemicalCount": 22, "createdAt": "2021-05-10T18:07:18Z", "updatedAt": "2021-05-10T18:07:50Z", - "listName": "FERTILIZERS", "shortDescription": "A list of chemicals in fertilizers assembled from various public sources" }, { "id": 795, "type": "other", - "label": "CATEGORY: Flame Retardants", "visibility": "PUBLIC", + "label": "CATEGORY: Flame Retardants", "longDescription": "List of Flame Retardants including all polybrominated diphenyl ethers (PBDEs). Sources include the Wikipedia Flame Retardants list and a text-mining exercise using MeSH identifiers", + "listName": "FLAMERETARD", "chemicalCount": 761, "createdAt": "2019-11-16T17:49:34Z", "updatedAt": "2022-07-26T16:11:59Z", - "listName": "FLAMERETARD", "shortDescription": "List of Flame Retardants including all polybrominated diphenyl ethers (PBDEs)" }, { "id": 802, "type": "other", - "label": "LIST|CATEGORY: Flavornet and human odor space", "visibility": "PUBLIC", + "label": "LIST|CATEGORY: Flavornet and human odor space", "longDescription": "Flavornet is a compilation of aroma compounds found in human odor space (http://www.flavornet.org/index.html). To be included in Flavornet an odorant must have been detected in a natural product or real environment by some form of quantitative gas chromatography - olfactometry method. The list is under ongoing curation and this represents a partial mapping as of July 2019.", + "listName": "FLAVORNET", "chemicalCount": 689, "createdAt": "2019-11-16T20:23:55Z", "updatedAt": "2020-09-18T20:06:24Z", - "listName": "FLAVORNET", "shortDescription": "Flavornet is a compilation of aroma compounds found in human odor space." }, { "id": 1378, "type": "other", - "label": "List of fluoro-agrochemicals ", "visibility": "PUBLIC", + "label": "List of fluoro-agrochemicals ", "longDescription": "List of fluorochemicals associated with the article \"Current Contributions of Organofluorine Compounds to the Agrochemical Industry\" by Ogawa et al.", + "listName": "FLUOROAGROCHEMS", "chemicalCount": 423, "createdAt": "2022-03-02T00:14:31Z", "updatedAt": "2023-02-06T18:51:28Z", - "listName": "FLUOROAGROCHEMS", "shortDescription": "List of fluorochemicals associated with the article \"Current Contributions of Organofluorine Compounds to the Agrochemical Industry\" by Ogawa et al." }, { "id": 1619, "type": "other", - "label": "Pharmaceutical organofluorine compounds ", "visibility": "PUBLIC", + "label": "Pharmaceutical organofluorine compounds ", "longDescription": "List of chemicals from the article \"Contribution of Organofluorine Compounds to Pharmaceuticals\" (ACS Omega 2020, 5, 10633−10640<\/a>). ", + "listName": "FLUOROPHARMA", "chemicalCount": 340, "createdAt": "2022-10-16T11:25:13Z", "updatedAt": "2022-10-16T23:09:28Z", - "listName": "FLUOROPHARMA", "shortDescription": "List of chemicals from the article \"Contribution of Organofluorine Compounds to Pharmaceuticals\"" }, { "id": 1060, "type": "other", - "label": "Food Contact Chemicals database (FCCdb) - version 5", "visibility": "PUBLIC", + "label": "Food Contact Chemicals database (FCCdb) - version 5", "longDescription": "This database was created by the Food Packaging Forum Foundation (FPF) and is an overview of intentionally used food contact chemicals (FCC). ", + "listName": "FOODCONTACTSDB", "chemicalCount": 10854, "createdAt": "2021-02-19T21:45:56Z", "updatedAt": "2023-04-27T12:30:55Z", - "listName": "FOODCONTACTSDB", "shortDescription": "A database was created by the Food Packaging Forum Foundation (FPF) and is an overview of intentionally used food contact chemicals (FCC). " }, { "id": 1850, "type": "other", - "label": "FOODPLASREVIEW", "visibility": "PUBLIC", + "label": "FOODPLASREVIEW", "longDescription": "FOODPLASREVIEW", + "listName": "FOODPLASREVIEW", "chemicalCount": 9396, "createdAt": "2023-04-29T17:46:34Z", "updatedAt": "2023-05-01T09:57:34Z", - "listName": "FOODPLASREVIEW", "shortDescription": "FOODPLASREVIEW" }, { "id": 799, "type": "other", - "label": "EXTRACTABLES: Chemical migrants in plastic food contact products", "visibility": "PUBLIC", + "label": "EXTRACTABLES: Chemical migrants in plastic food contact products", "longDescription": "List of chemical migrants in plastic food contact products listed in the article \"Detection and quantification analysis of chemical migrants in plastic food contact products\" by Qian et al (https://journals.plos.org/plosone/article?id=10.1371/journal.pone.0208467)", + "listName": "FOODPLASTICS", "chemicalCount": 81, "createdAt": "2019-11-16T20:00:07Z", "updatedAt": "2019-11-16T20:00:32Z", - "listName": "FOODPLASTICS", "shortDescription": "List of chemical migrants in plastic food contact products" }, { "id": 712, "type": "other", - "label": "LIST: Volatile compounds in food", "visibility": "PUBLIC", + "label": "LIST: Volatile compounds in food", "longDescription": "This list contains information regarding volatile compounds which have been found in natural and processed food products. These data have been harvested from the literature and online database resources. ", + "listName": "FOODVOLATILES", "chemicalCount": 7704, "createdAt": "2019-09-12T23:51:47Z", "updatedAt": "2023-01-26T18:35:30Z", - "listName": "FOODVOLATILES", "shortDescription": "This list contains information regarding volatile compounds which have been found in natural and processed food products." }, { "id": 1259, "type": "other", - "label": "List of formaldehyde releasers, formaldehyde donors or formaldehyde-releasing chemicals", "visibility": "PUBLIC", + "label": "List of formaldehyde releasers, formaldehyde donors or formaldehyde-releasing chemicals", "longDescription": "A formaldehyde releaser, formaldehyde donor or formaldehyde-releasing preservative is a chemical compound that slowly releases formaldehyde. \r\n\r\nFormaldehyde-releasers are added to prevent microbial growth and extend shelf life. They are found in cosmetics, toiletries, cleaning agents, adhesives, paints, lacquers and metalworking fluids.\r\n\r\nFormaldehyde‐releasers can be further defined as:\r\n\r\nSubstances that release formaldehyde as a result of decomposition\r\nChemicals synthesized from formaldehyde that may still contain residues of free formaldehyde such as melamine/formaldehyde and urea‐formaldehyde resins.\r\n\r\nData were extracted from various sources and peer reviewed publications [1<\/a>].\r\n\r\n", + "listName": "FORMALDEHYDER", "chemicalCount": 36, "createdAt": "2021-08-10T11:52:26Z", "updatedAt": "2021-08-10T12:36:46Z", - "listName": "FORMALDEHYDER", "shortDescription": "List of formaldehyde releasers, formaldehyde donors or formaldehyde-releasing preservative is a chemical compound that slowly releases formaldehyde." }, { "id": 768, "type": "other", - "label": "FRACFOCUS Chemical Disclosure Registry", "visibility": "PUBLIC", + "label": "FRACFOCUS Chemical Disclosure Registry", "longDescription": "FracFocus is the national hydraulic fracturing chemical registry. \r\n\r\nFracFocus is managed by the Ground Water Protection Council and Interstate Oil and Gas Compact Commission, two organizations whose missions both revolve around conservation and environmental protection. \r\n\r\nThe site was created to provide the public access to reported chemicals used for hydraulic fracturing within their area. To help users put this information into perspective, the site also provides objective information on hydraulic fracturing, the chemicals used, the purposes they serve and the means by which groundwater is protected.", + "listName": "FRACFOCUS", "chemicalCount": 40, "createdAt": "2019-11-16T10:14:19Z", "updatedAt": "2019-11-16T10:14:55Z", - "listName": "FRACFOCUS", "shortDescription": "FracFocus is the national hydraulic fracturing chemical registry. " }, { "id": 1387, "type": "other", - "label": "CATEGORY: Flame Retardants - US CPSC/US EPA Flame Retardant Inventory", "visibility": "PUBLIC", + "label": "CATEGORY: Flame Retardants - US CPSC/US EPA Flame Retardant Inventory", "longDescription": "Joint US Consumer Product Safety Commission (CPSC)-US Environmental Protection Agency (EPA) Flame Retardant Inventory: potential Flame Retardant substances identified from publicly-available materials. This encompasses EPA/CPSC reports, published literature, as well as publicly available information from manufacturers. For more information on the collection and curation process see the published article [Nature Scientific Data DOI will be inserted when available] and the published dataset [Figshare DOI for final dataset will be inserted when available].
\r\n\r\nOther curated lists based on the flame retardancy of these substances are available as listed below:
\r\n\r\nLikely Flame Retardants<\/b>: A subset of the Joint US CPSC-US EPA Flame Retardant Inventory of substances that have undergone review by a panel of experts and have been identified as being likely flame retardants. In addition to expert opinion, substances’ flame retardancy were predicted with Quantitative Structure-Use Relationships (see
Phillips, et al, 2017<\/a> for more information on this methodology). The list is available here<\/a>.
\r\n\r\nLikely Organohalogen Flame Retardants<\/b>: A subset of the Join US CPSC-US EPA Flame Retardant Inventory of substances that have undergone review by a panel of experts and have been identified as being likely organohalogen flame retardants (i.e., substances that are likely flame retardants and have at least one Carbon-Halogen bond). In addition to expert opinion, substances’ flame retardancy and organohalogen structure were bolstered by use of Quantitative Structure-Use Relationships (see
Phillips, et al, 2017<\/a> for more information on this methodology). The list is available here<\/a>.
", + "listName": "FRFULLLIST", "chemicalCount": 797, "createdAt": "2022-03-16T22:52:17Z", "updatedAt": "2022-04-07T15:11:30Z", - "listName": "FRFULLLIST", "shortDescription": "Joint US Consumer Product Safety Commission (CPSC)-US Environmental Protection Agency (EPA) Flame Retardant Inventory" }, { "id": 1388, "type": "other", - "label": "CATEGORY: Likely Flame Retardants - Partial subset of the US CPSC/US EPA Flame Retardant Inventory", "visibility": "PUBLIC", + "label": "CATEGORY: Likely Flame Retardants - Partial subset of the US CPSC/US EPA Flame Retardant Inventory", "longDescription": "Likely Flame Retardants<\/b>: A subset of the Joint US CPSC-US EPA Flame Retardant Inventory of substances that have undergone review by a panel of experts and have been identified as being likely flame retardants. In addition to expert opinion, substances’ flame retardancy were predicted with Quantitative Structure-Use Relationships (see
Phillips, et al, 2017<\/a> for more information on this methodology).
\r\n\r\nOther curated lists based on the flame retardancy of these substances are available as listed below:
\r\n\r\nFull Flame Retardant Inventory<\/b>: Joint US Consumer Product Safety Commission (CPSC)-US Environmental Protection Agency (EPA) Flame Retardant Inventory: potential Flame Retardant substances identified from publicly-available materials. This encompasses EPA/CPSC reports, published literature, as well as publicly available information from manufacturers. For more information on the collection and curation process see the published article [Nature Scientific Data DOI will be inserted when available] and the published dataset [Figshare DOI for final dataset will be inserted when available]. The list is available
here<\/a>.
\r\n\r\nLikely Organohalogen Flame Retardants<\/b>: A subset of the Join US CPSC-US EPA Flame Retardant Inventory of substances that have undergone review by a panel of experts and have been identified as being likely organohalogen flame retardants (i.e., substances that are likely flame retardants and have at least one Carbon-Halogen bond). In addition to expert opinion, substances’ flame retardancy and organohalogen structure were bolstered by use of Quantitative Structure-Use Relationships (see
Phillips, et al, 2017<\/a> for more information on this methodology). The list is available here<\/a>.
", + "listName": "FRLIKELY", "chemicalCount": 746, "createdAt": "2022-03-16T23:22:53Z", "updatedAt": "2022-03-18T10:25:51Z", - "listName": "FRLIKELY", "shortDescription": "Joint US Consumer Product Safety Commission (CPSC)-US Environmental Protection Agency (EPA) partial subset of Likely Flame Retardants<\/b> from the Flame Retardant Inventory" }, { "id": 479, "type": "other", - "label": "LIST: Chemicals with Fun Names", "visibility": "PUBLIC", + "label": "LIST: Chemicals with Fun Names", "longDescription": "This collection of chemicals has fun and interesting names. Feel free to nominate one for consideration via our Contact Us page (http://comptox.ho.epa.gov/dashboard/contact_us)", + "listName": "FUNNAMES", "chemicalCount": 93, "createdAt": "2018-05-04T12:38:34Z", "updatedAt": "2023-09-09T14:02:31Z", - "listName": "FUNNAMES", "shortDescription": "This collection of chemicals has fun and interesting names " }, { "id": 562, "type": "other", - "label": "GHS Skin and Eye", "visibility": "PUBLIC", + "label": "GHS Skin and Eye", "longDescription": "Chemical substances associated with skin sensitization, skin irritation, and eye irritation GHS (global harmonization system) score data was compiled from the following countries: Australia, Canada, Denmark, ECHA , Germany, Japan, Malaysia, and New Zealand. Data was parsed and converted to a common record format.\r\n", + "listName": "GHSEYESKIN", "chemicalCount": 18766, "createdAt": "2018-11-15T15:18:27Z", "updatedAt": "2018-11-15T19:51:32Z", - "listName": "GHSEYESKIN", "shortDescription": "Chemical substances associated with skin sensitization, skin irritation, and eye irritation GHS (global harmonization system) data aggregated from international sources." }, { "id": 1166, "type": "other", - "label": "Chemicals with GHS classifications for ignitability and reactivity", "visibility": "PUBLIC", + "label": "Chemicals with GHS classifications for ignitability and reactivity", "longDescription": "This chemical list is made up of chemicals that are flagged as chemicals that may cause a fire or explosion according to GHS, the Globally Harmonized System of Classification and Labeling of Chemicals (GHS classification codes H240, H241 and H242).", + "listName": "GHSH240S", "chemicalCount": 164, "createdAt": "2021-05-10T18:11:50Z", "updatedAt": "2021-12-07T17:15:04Z", - "listName": "GHSH240S", "shortDescription": "This chemical list is made up of chemicals that are flagged as chemicals that may cause a fire or explosion according to GHS." }, { "id": 694, "type": "other", - "label": "NORMAN: Suspect Pharmaceuticals from the National Organization of Medicine, Greece", "visibility": "PUBLIC", + "label": "NORMAN: Suspect Pharmaceuticals from the National Organization of Medicine, Greece", "longDescription": "A pharmaceutical suspect list containing antibiotics, antidepressants, antipsychotics, benzodiazepines, NSAIDs, antilipidemic drugs, antiepileptic drugs, antiulcer drugs, antihypertensive and diuretic drugs, extracted from the National Organization for Medicines of Greece. This is complementary to UOATARGPHARMA, both from the NORMAN Suspect List Exchange (
https://www.norman-network.com/nds/SLE/<\/a>). Provided by Katerina Galani (UoA), Nikiforos Alygizakis (EI/UoA) and Nikolaos Thomaidis (UoA). DOI: 10.5281/zenodo.3248884<\/a>\r\n\r\n\r\n", + "listName": "GREEKPHARMA", "chemicalCount": 233, "createdAt": "2019-06-21T22:53:46Z", "updatedAt": "2019-06-21T22:54:11Z", - "listName": "GREEKPHARMA", "shortDescription": "A pharmaceutical suspect list extracted from the National Organization for Medicines of Greece." }, { "id": 607, "type": "other", - "label": "LIST: Hair Dyes ", "visibility": "PUBLIC", + "label": "LIST: Hair Dyes ", "longDescription": "List of hair dyes published in a research study by Williams et al , North Carolina State University in the article \"Toward the Rational Design of Sustainable Hair Dyes Using Cheminformatics Approaches: Step 1. Database Development and Analysis\" available at https://doi.org/10.1021/acssuschemeng.7b03795<\/a>. More detailed data are available via FigShare and includes details regarding whether the chemicals are precursors, dyes, color etc.<\/a> ", + "listName": "HAIRDYES", "chemicalCount": 375, "createdAt": "2019-02-28T12:13:54Z", "updatedAt": "2021-08-04T22:07:16Z", - "listName": "HAIRDYES", "shortDescription": "List of hair dyes published in a research study by Williams et al , North Carolina State University in the article \"Toward the Rational Design of Sustainable Hair Dyes Using Cheminformatics Approaches: Step 1. Database Development and Analysis\"" }, { "id": 593, "type": "other", - "label": "WIKILIST: Extremely hazardous substances", "visibility": "PUBLIC", + "label": "WIKILIST: Extremely hazardous substances", "longDescription": "The list of extremely hazardous substances is defined in Section 302 of the U.S. Emergency Planning and Community Right-to-Know Act (42 U.S.C. 11002). The list can be found as an appendix to 40 C.F.R. 355. Updates as of 2006 can be seen on the Federal Register, 71 FR 47121 (August 16, 2006).", + "listName": "HAZSUBST", "chemicalCount": 336, "createdAt": "2018-11-23T23:45:44Z", "updatedAt": "2018-11-23T23:46:20Z", - "listName": "HAZSUBST", "shortDescription": "The list of extremely hazardous substances is defined in Section 302 of the U.S. Emergency Planning and Community Right-to-Know Act (42 U.S.C. 11002)" }, { "id": 558, "type": "other", - "label": "NORMAN|MASSPECDB: Hydrogen Deuterium Exchange Standard Set - Under HDX Conditions", "visibility": "PUBLIC", + "label": "NORMAN|MASSPECDB: Hydrogen Deuterium Exchange Standard Set - Under HDX Conditions", "longDescription": "Observed species (deuterated and undeuterated) from the HDXNOEX list under hydrogen deuterium exchange conditions (Ruttkies, Schymanski et al. in prep.). This list includes the predicted and observed deuterated exchange species (verified by mass spectrometry) as well as the undeuterated structures that were observed under normal and HDX conditions. All entries have been registered in the Dashboard, any missing entries will be available following the next data release. \r\n", + "listName": "HDXEXCH", "chemicalCount": 592, "createdAt": "2018-11-07T09:54:32Z", "updatedAt": "2019-05-06T14:37:31Z", - "listName": "HDXEXCH", "shortDescription": "Observed species (deuterated and undeuterated) from the HDXNOEX list under hydrogen deuterium exchange conditions (Ruttkies, Schymanski et al. in prep.)\r\n" }, { "id": 557, "type": "other", - "label": "NORMAN|MASSPECDB: Hydrogen Deuterium Exchange Standard Set - No Exchange", "visibility": "PUBLIC", + "label": "NORMAN|MASSPECDB: Hydrogen Deuterium Exchange Standard Set - No Exchange", "longDescription": "Environmental standard set used to investigate hydrogen deuterium exchange (HDX) in small molecule high resolution mass spectrometry (Ruttkies, Schymanski et al. in prep.). This is a set of all standards under normal chromatographic conditions; those observed under HDX are in the HDXEXCH list.\r\n", + "listName": "HDXNOEX", "chemicalCount": 765, "createdAt": "2018-11-07T09:48:38Z", "updatedAt": "2019-05-06T14:37:18Z", - "listName": "HDXNOEX", "shortDescription": "Environmental standard set used to investigate hydrogen deuterium exchange in small molecule high resolution mass spectrometry (Ruttkies, Schymanski et al. in prep.)\r\n" }, { "id": 1362, "type": "other", - "label": "LIST: New Psychoactive Substances (NPS)", "visibility": "PUBLIC", + "label": "LIST: New Psychoactive Substances (NPS)", "longDescription": "HighResNPS (https://highresnps.forensic.ku.dk/) is a crowdsourced mass spectral database for HR-MS screening of New Psychoactive Substances (NPS).", + "listName": "HIGHRESNPS", "chemicalCount": 2147, "createdAt": "2022-02-21T11:13:06Z", "updatedAt": "2022-06-20T22:00:54Z", - "listName": "HIGHRESNPS", "shortDescription": "HighResNPS is a crowdsourced mass spectral database for HR-MS screening of New Psychoactive Substances (NPS). " }, { "id": 785, "type": "other", - "label": "LIST:Hazardous Substances Data Bank", "visibility": "PUBLIC", + "label": "LIST:Hazardous Substances Data Bank", "longDescription": "HSDB is a toxicology database that focuses on the toxicology of potentially hazardous chemicals. It provides information on human exposure, industrial hygiene, emergency handling procedures, environmental fate, regulatory requirements, nanomaterials, and related areas. The information in HSDB has been assessed by a Scientific Review Panel.", + "listName": "HSDB2019", "chemicalCount": 5582, "createdAt": "2019-11-16T16:17:32Z", "updatedAt": "2021-06-05T07:54:08Z", - "listName": "HSDB2019", "shortDescription": "Toxicology data focused on the toxicology of potentially hazardous chemicals.From the National Library of Medicine." }, { "id": 928, "type": "other", - "label": "NORMAN|METABOLITES: Transformation Products Extracted from HSDB Content in PubChem", "visibility": "PUBLIC", + "label": "NORMAN|METABOLITES: Transformation Products Extracted from HSDB Content in PubChem", "longDescription": "HSDBTPS is a list of metabolites / transformation products (plus parents) extracted from the \"Metabolites/Metabolism\" section from HSDB (Hazardous Substance Data Bank) in PubChem (https://pubchem.ncbi.nlm.nih.gov/source/11933<\/a>) and available on the NORMAN Suspect List Exchange<\/a>. Dataset DOI: 10.5281/zenodo.3827487<\/a>.\r\n", + "listName": "HSDBTPS", "chemicalCount": 76, "createdAt": "2020-05-28T13:33:54Z", "updatedAt": "2020-11-06T22:23:18Z", - "listName": "HSDBTPS", "shortDescription": "List of metabolites/transformation products (plus parents) extracted from the \"Metabolites/Metabolism\" section from HSDB (Hazardous Substance Data Bank)" }, { "id": 1458, "type": "other", - "label": "EPA High-Throughput Phenotypic Profiling U-2 OS Conazoles Case Study", "visibility": "PUBLIC", + "label": "EPA High-Throughput Phenotypic Profiling U-2 OS Conazoles Case Study", "longDescription": "List of chemicals screened by EPA researchers in high-throughput phenotypic profiling in U-2 OS cells. Chemicals included are conazoles or chemicals structurally similar to conazoles. For more information, see: Nyffeler et al., (submitted for publication). See also HTPP2023_U2OS_SCREEN<\/a> and HTPP2019_SCREEN<\/a>.", + "listName": "HTPP2023_U2OS_CONAZOLES", "chemicalCount": 69, "createdAt": "2022-05-12T05:14:16Z", "updatedAt": "2023-03-28T16:25:53Z", - "listName": "HTPP2023_U2OS_CONAZOLES", "shortDescription": "List of chemicals screened by EPA researchers in high-throughput phenotypic profiling in U-2 OS cells. Chemicals included are conazoles or chemicals structurally similar to conazoles. " }, { "id": 1457, "type": "other", - "label": "EPA High-Throughput Phenotypic Profiling U-2 OS ToxCast Screen", "visibility": "PUBLIC", + "label": "EPA High-Throughput Phenotypic Profiling U-2 OS ToxCast Screen", "longDescription": "List of chemicals screened by EPA researchers in high-throughput phenotypic profiling in U-2 OS cells. For more information, see: Nyffeler et al., (submitted for publication). See also HTPP2023_U2OS_CONAZOLES<\/a> and HTPP2019_SCREEN<\/a>.", + "listName": "HTPP2023_U2OS_SCREEN", "chemicalCount": 1205, "createdAt": "2022-05-12T04:59:13Z", "updatedAt": "2023-03-28T16:25:14Z", - "listName": "HTPP2023_U2OS_SCREEN", "shortDescription": "List of chemicals screened by EPA researchers in high-throughput phenotypic profiling in U-2 OS cells. " }, { "id": 979, "type": "other", - "label": "EPA|HTTK: Chemicals with human in vitro measured toxicokinetic data", "visibility": "PUBLIC", + "label": "EPA|HTTK: Chemicals with human in vitro measured toxicokinetic data", "longDescription": "These chemicals are available for toxicokinetic prediction in the R package \"httk\"<\/a>. Each chemical has experimentally-measured hepatic metabolic clearance and plasma protein binding data. These data have been either curated from the literature or measured by EPA, its contractors, and collaborators. These data, along with physicochemical properties, can be used to make chemical-specific predictions with the suite of generic toxicokinetic models offered by “httk”. “httk” includes a population variability simulator that draws from NHANES biometrics<\/a> and allows for in vitro-to-in vivo (IVIVE) extrapolation of high throughput screening data<\/a>. This list is for HTTK v2.0.3.", + "listName": "HTTKHUMAN", "chemicalCount": 1016, "createdAt": "2020-08-24T21:46:15Z", "updatedAt": "2020-08-24T21:47:09Z", - "listName": "HTTKHUMAN", "shortDescription": "List of chemicals available for toxicokinetic prediction in the R package “httk”" }, { "id": 677, "type": "other", - "label": "BLOOD|METABOLITES; Chemicals in human blood (plasma and serum)", "visibility": "PUBLIC", + "label": "BLOOD|METABOLITES; Chemicals in human blood (plasma and serum)", "longDescription": "This list of chemicals includes chemicals that are natural to the body and detected in human blood. It is aggregated from public resources including the Human Metabolome Database (HMDB), WikiPathways, Wikipedia and literature articles. It excludes metals, metal ions, gases, drugs and drug metabolites. The list (and this definition) is under constant curation.\r\n\r\n", + "listName": "HUMANBLOOD", "chemicalCount": 930, "createdAt": "2019-05-23T11:20:50Z", "updatedAt": "2020-11-06T22:26:01Z", - "listName": "HUMANBLOOD", "shortDescription": "List of chemicals natural to the body and detected in human blood (excluding metals, metal ions, gases, drugs and drug metabolites)" }, { "id": 815, "type": "other", - "label": "CATEGORY|WIKILIST: Human Hormones", "visibility": "PUBLIC", + "label": "CATEGORY|WIKILIST: Human Hormones", "longDescription": "A list of hormones found in Homo sapiens primarily compiled from the Wikipedia list<\/a>. ", + "listName": "HUMANHORMONES", "chemicalCount": 40, "createdAt": "2019-11-17T23:30:53Z", "updatedAt": "2021-05-10T18:15:33Z", - "listName": "HUMANHORMONES", "shortDescription": "A list of hormones found in Homo sapiens" }, { "id": 684, "type": "other", - "label": "NEURO: Human Neurotoxicants", "visibility": "PUBLIC", + "label": "NEURO: Human Neurotoxicants", "longDescription": "A set of chemicals listed in the article \"Developmental Neurotoxicity of Industrial Chemicals\" by Grandjean and Landrigan, The Lancet, Volume 368, No. 9553, p2167–2178, 16 December 2006 (https://doi.org/10.1016/S0140-6736(06)69665-7)<\/a>. This list of chemicals were used to source information from the literature regarding their potential to be neurotoxicants. Please note that being a member of the list does not define their activity as neurotoxicants. The authors list 5 of these chemicals as developmental neurotoxins (arsenic and arsenic compounds; lead and lead compounds; methylmercury, toluene; polychlorinated biphenyls).", + "listName": "HUMANNEUROTOX", "chemicalCount": 190, "createdAt": "2019-06-10T22:42:48Z", "updatedAt": "2019-06-11T21:40:28Z", - "listName": "HUMANNEUROTOX", "shortDescription": "A set of chemicals listed in the article \"Developmental Neurotoxicity of Industrial Chemicals\"" }, { "id": 646, "type": "other", - "label": "MASSPECDB|NORMAN:Indoor Environment Substances from 2016 Collaborative Trial", "visibility": "PUBLIC", + "label": "MASSPECDB|NORMAN:Indoor Environment Substances from 2016 Collaborative Trial", "longDescription": "Lists of GC-MS and LC-MS compounds and DSFP output, plus merged files from the Indoor Dust Collaborative Trial, 2016 provided by Peter Haglund (UMU) and Pawel Rostkowski (NILU). Details in Rostkowski et al. 2019 DOI:10.1007/s00216-019-01615-6<\/a>. DTXSIDs mapped by InChIKey. Original file on the NORMAN Suspect List Exchange<\/a>.", + "listName": "INDOORCT16", "chemicalCount": 1499, "createdAt": "2019-04-28T17:21:18Z", "updatedAt": "2019-05-06T14:35:01Z", - "listName": "INDOORCT16", "shortDescription": "Lists of GC-MS and LC-MS compounds from the Indoor Dust Collaborative Trial" }, { "id": 381, "type": "other", - "label": "PHARMACEUTICALS|NORMAN: ITNANTIBIOTIC list of antibiotics", "visibility": "PUBLIC", + "label": "PHARMACEUTICALS|NORMAN: ITNANTIBIOTIC list of antibiotics", "longDescription": "ITNANTIBIOTIC is a list of antibiotics compiled by Nikiforos Alygizakis (Environmental Institute, Slovakia/University of Athens, Greece) as part of the Marie Skłodowska-Curie Actions (MSCA) Innovative Training Network (ITN) ANSWER<\/a>. This list contains almost all known antibiotics, a few major TPs reported in the literature and other substances with antibiotic properties.\r\nThis work is part of a project that has received funding from the European Union’s Horizon 2020 research and innovation program under the Marie Skłodowska-Curie Grant Agreement No 675530. The original data is available on the NORMAN Suspect List Exchange<\/a>. \r\n", + "listName": "ITNANTIBIOTIC", "chemicalCount": 464, "createdAt": "2017-07-13T17:54:13Z", "updatedAt": "2020-10-11T10:55:51Z", - "listName": "ITNANTIBIOTIC", "shortDescription": "ITNANTIBIOTIC is a list of antibiotics compiled by Nikiforos Alygizakis (Environmental Institute/University of Athens) as part of the Marie Skłodowska-Curie Actions (MSCA) Innovative Training Network (ITN) ANSWER (EU H2020 Grant 675530)." }, { "id": 384, "type": "other", - "label": "NORMAN: KEMI List of Substances on the Market", "visibility": "PUBLIC", + "label": "NORMAN: KEMI List of Substances on the Market", "longDescription": "The KEMI Market List contains chemicals expected to be on the market, with a focus on the EU market. Substances with well-defined structures were selected from various regulatory databases and complied by Stellan Fischer, KEMI<\/a> (Swedish Chemicals Agency). The original list on the NORMAN Suspect List Exchange<\/a> includes hazard and exposure scores and further documentation about the sources and data in the list. The exposure score (water) is a way of providing “use information” while still maintaining business confidentiality; the hazard score (ecological, chronic) has been included to support the identification of potentially emerging substances. \r\nAll chemical types (industrial chemicals, pharmaceuticals, pesticides etc.) are included in this list, which will be updated continuously as more structural information becomes available. \r\n", + "listName": "KEMIMARKET", "chemicalCount": 30418, "createdAt": "2017-07-13T23:45:15Z", "updatedAt": "2018-11-16T21:38:29Z", - "listName": "KEMIMARKET", "shortDescription": "The KEMI Market List contains chemicals expected to be on the market. Complied by Stellan Fischer, KEMI (Swedish Chemicals Agency) from various regulatory databases, including hazard and exposure scores to support the identification of unknowns. " }, { "id": 654, "type": "other", - "label": "WATER|NORMAN: Wastewater Suspect List based on Swedish Product Data", "visibility": "PUBLIC", + "label": "WATER|NORMAN: Wastewater Suspect List based on Swedish Product Data", "longDescription": "A subset of the prioritized list of 1,123 substances relevant for wastewater based on Swedish product registry data, including scores. Provided to the NORMAN Suspect List Exchange<\/a> by Stellan Fischer of the Swedish Chemicals Agency<\/a> (KEMI). Mapped to registered DTXSIDs by CAS Registry Number\r\n", + "listName": "KEMIWWSUS", "chemicalCount": 991, "createdAt": "2019-05-02T08:14:48Z", "updatedAt": "2019-09-20T14:26:30Z", - "listName": "KEMIWWSUS", "shortDescription": "A subset of the prioritized list of 1,123 substances relevant for wastewater based on Swedish product registry data." }, { "id": 665, "type": "other", - "label": "WATER|NORMAN: Extended Drinking Water Suspect Screening List from KWR", "visibility": "PUBLIC", + "label": "WATER|NORMAN: Extended Drinking Water Suspect Screening List from KWR", "longDescription": "Extended Suspect List (Table S4) from \"Data-driven prioritization of chemicals for various water types using suspect screening LC-HRMS. Sjerps et al. 2016 Water Research 93: 254-264. DOI: 10.1016/j.watres.2016.02.034<\/a>. The original list is available from the NORMAN Suspect List Exchange<\/a>\r\n", + "listName": "KWRSJERPS2", "chemicalCount": 4149, "createdAt": "2019-05-06T23:22:55Z", "updatedAt": "2019-05-18T21:21:18Z", - "listName": "KWRSJERPS2", "shortDescription": "Suspect list from \"Data-driven prioritization of chemicals for various water types using suspect screening LC-HRMS\" by Sjerps et al." }, { "id": 628, "type": "other", - "label": "Laboratory Chemical Safety Summary (LCSS) data from PubChem", "visibility": "PUBLIC", + "label": "Laboratory Chemical Safety Summary (LCSS) data from PubChem", "longDescription": "The PubChem Laboratory Chemical Safety Summary (LCSS) provides pertinent chemical health and safety data for a given PubChem Compound record. The PubChem LCSS is a community effort involving professionals in health and safety, chemistry librarianship, informatics, and other specialties.\r\n\r\nThe LCSS is based on the format described by the National Research Council in the Prudent Practices in the Laboratory: Handling and Management of Chemical Hazards. Information contained in the PubChem LCSS is a subset of the PubChem Compound summary page content. It includes a summary of hazard and safety information for a chemical, such as flammability, toxicity, exposure limits, exposure symptoms, first aid, handling, and clean up.", + "listName": "LCSSPUBCHEM", "chemicalCount": 73065, "createdAt": "2019-04-12T10:55:54Z", "updatedAt": "2024-01-06T00:51:03Z", - "listName": "LCSSPUBCHEM", "shortDescription": "The PubChem Laboratory Chemical Safety Summary (LCSS) provides pertinent chemical health and safety data for a given PubChem Compound record. " }, { "id": 688, "type": "other", - "label": "MASSPECDB: Agilent Extractables & Leachables PCDL", "visibility": "PUBLIC", + "label": "MASSPECDB: Agilent Extractables & Leachables PCDL", "longDescription": "Chemical list derived from Agilent’s accurate mass extractables and leachables compound database. Details are available here:Extractables and Leachables PCDL<\/a>", + "listName": "LEACHABLESPCDL", "chemicalCount": 1004, "createdAt": "2019-06-15T15:06:44Z", "updatedAt": "2019-11-17T14:15:38Z", - "listName": "LEACHABLESPCDL", "shortDescription": "Chemical list derived from Agilent’s accurate mass extractables and leachables compound database " }, { "id": 1514, "type": "other", - "label": "LIPID MAPS Structure Database ", "visibility": "PUBLIC", + "label": "LIPID MAPS Structure Database ", "longDescription": "The LIPID MAPS® Structure Database (LMSD) is a relational database encompassing structures and annotations of biologically relevant lipids. This subset is only for the \"curated\" set of chemicals and not those listed as \"computationally-generated\". See https://www.lipidmaps.org/databases/lmsd/overview. (Last updated: February 22nd 2022)", + "listName": "LIPIDMAPSv2", "chemicalCount": 6652, "createdAt": "2022-06-10T18:23:33Z", "updatedAt": "2022-06-10T19:16:12Z", - "listName": "LIPIDMAPSv2", "shortDescription": "The LIPID MAPS® Structure Database (LMSD) is a relational database encompassing structures and annotations of biologically relevant lipids." }, { "id": 1472, "type": "other", - "label": "Liquid Crystal Monomers", "visibility": "PUBLIC", + "label": "Liquid Crystal Monomers", "longDescription": "List of liquid crystal monomers (LCMs) reported as detected in sediment. This collection of LCMs was reported in the article \"Suspect Screening of Liquid Crystal Monomers (LCMs) in Sediment Using an Established Database Covering 1173 LCMs<\/a>\".\r\n\r\n", + "listName": "LIQCRYSTMON", "chemicalCount": 414, "createdAt": "2022-05-24T08:06:33Z", "updatedAt": "2023-04-11T09:56:53Z", - "listName": "LIQCRYSTMON", "shortDescription": "List of liquid crystal monomers reported as detected in sediment" }, { "id": 685, "type": "other", - "label": "NEURO: Neurotoxicants from PubMed", "visibility": "PUBLIC", + "label": "NEURO: Neurotoxicants from PubMed", "longDescription": "This is a list of chemicals associated with neurotoxicity compiled through automated literature mining of PubMed using MeSH terms and associating these with single chemical substances (where possible). Articles were identified in which a nervous system disease was annotated with the MeSH node C10 with disease subheading “chemically induced” and subheading “toxicity”, “poisoning”, or “adverse effects”. We identified nervous system diseases through a look-up in the MeSH tree<\/a>. Nerve diseases caused by trauma and manually identified “common English terms” that could not be associated with any specific chemicals (e.g. “particulate matter”, “contrast media”) were omitted. In total 4,528 chemicals were identified; this list contains 1243 chemicals associated with 5 or more literature references, all of which have been registered in the Dashboard. The details of this work are reported in “Connecting environmental exposure and neurodegeneration using cheminformatics and high resolution mass spectrometry: potential and challenges<\/a>” by Schymanski et al, DOI: 10.1039/c9em00068b<\/a> \r\n\r\n\r\n", + "listName": "LITMINEDNEURO", "chemicalCount": 1243, "createdAt": "2019-06-11T09:48:22Z", "updatedAt": "2022-10-25T12:24:47Z", - "listName": "LITMINEDNEURO", "shortDescription": "Chemicals associated with neurotoxicity via PubMed Literature Mining" }, { "id": 444, "type": "other", - "label": "LIST: Linear Solvation Energy Relationship Database", "visibility": "PUBLIC", + "label": "LIST: Linear Solvation Energy Relationship Database", "longDescription": "The free online platform LSERD enables the prediction of partition coefficients based on the linear solvation energy relationship approach. The platform includes about 200 different partitioning systems (e.g. solvent-water, solvent-air, bio materials, technical sorbents) and several tools for the application of these predicted partition coefficients. The tools are:\r\n\r\n1) permeability tool (for prediction of a compound’s membrane permeability) \r\n2) Cfree tool (for the determination of the freely dissolved concentration of a chemical in an cell assay)\r\n3) biopartitioning tool (for the description of the partitioning behavior in an organism)\r\n4) extraction tool (for optimization of sample preparation)\r\n5) blow-down tool (for calculation of analytes loss during preconcentration of extracts with nitrogen stream) \r\n6) thermodesorption tool (for the calculation of optimal parameters for thermodesorption experiments) \r\n7) Freundlich Koc tool (for the prediction of non-linear sorption isotherms for soil organic carbon/water partitioning)\r\n", + "listName": "LSERDDB", "chemicalCount": 6457, "createdAt": "2017-12-29T09:18:04Z", "updatedAt": "2021-04-27T10:49:44Z", - "listName": "LSERDDB", "shortDescription": "LSERD is a free online platform, which enables the prediction of partition coefficients based on the linear solvation energy relationship approach." }, { "id": 925, "type": "other", - "label": "NORMAN | Pesticide Screening List for Luxembourg", "visibility": "PUBLIC", + "label": "NORMAN | Pesticide Screening List for Luxembourg", "longDescription": "A pesticide screening list for Luxembourg, compiled from multiple sources by Jessy Krier, University of Luxembourg and available on the NORMAN Suspect List Exchange<\/a>. Dataset DOI: 10.5281/zenodo.3862688.\r\n<\/a>\r\n\r\n\r\n\r\n\r\n\r\n", + "listName": "LUXPEST", "chemicalCount": 386, "createdAt": "2020-05-28T12:42:31Z", "updatedAt": "2020-05-28T13:14:44Z", - "listName": "LUXPEST", "shortDescription": "A pesticide screening list for Luxembourg, compiled from multiple sources by Jessy Krier, University of Luxembourg" }, { "id": 1102, "type": "other", - "label": "NORMAN | Pharmaceuticals Marketed in Luxembourg", "visibility": "PUBLIC", + "label": "NORMAN | Pharmaceuticals Marketed in Luxembourg", "longDescription": "Pharmaceuticals marketed in Luxembourg, as published by d'Gesondheetskeess (CNS, la caisse nationale de santé<\/a>), mapped by name to structures using CompTox by R. Singh et al. (in prep.). List downloaded from https://cns.public.lu/en/legislations/textes-coordonnes/liste-med-comm.html<\/a>. Hosted by the NORMAN Suspect List Exchange<\/a>, dataset DOI: 10.5281/zenodo.458735<\/a>", + "listName": "LUXPHARMA", "chemicalCount": 814, "createdAt": "2021-04-01T07:53:20Z", "updatedAt": "2021-04-01T07:53:49Z", - "listName": "LUXPHARMA", "shortDescription": "Pharmaceuticals marketed in Luxembourg" }, { "id": 395, "type": "other", - "label": "MASSPECDB: MassBank.EU Collection: Special Cases ", "visibility": "PUBLIC", + "label": "MASSPECDB: MassBank.EU Collection: Special Cases ", "longDescription": "The MassBank.EU list contains curated chemicals (Schymanski/Williams) associated with the literature/tentative/unknown and supporting information spectra available on MassBank.EU that are not available as part of the full MassBank collection of reference standard spectra. The aim of this list and collaborative curation effort is to streamline how compound databases and spectral libraries deal with structures and spectra with different degrees of structural uncertainty, including partially or fully undefined structures, tentatively identified (Level Scheme: http://pubs.acs.org/doi/full/10.1021/es5002105) transformation products and isomer mixes through to spectra commonly observed in samples. Enabling automated and open exchange (DOI: 10.1021/acs.est.7b01908) of this information will greatly help streamline non-target mass spectrometry interpretation efforts.\r\nThis MassBank.EU collection consists of the databases Eawag Additional (EawagAddn), UFZ Additional (UFZAddn) and Literature Spectra (LitSpecs). This list is undergoing continuous curation/extension. \r\nThe reference standard spectra associated with MassBank are available on all three MassBank servers: MassBank.EU (www.massbank.eu), MassBank.JP (www.massbank.jp) and MassBank of North America (http://mona.fiehnlab.ucdavis.edu/) as well as the Open Data collection and will be part of a separate curated list. \r\n", + "listName": "MASSBANKEUSP", "chemicalCount": 257, "createdAt": "2017-07-16T07:47:51Z", "updatedAt": "2018-11-16T21:18:11Z", - "listName": "MASSBANKEUSP", "shortDescription": "The MassBank.EU list contains curated chemicals (Schymanski/Williams) associated with the literature/tentative/unknown/SI spectra available on MassBank.EU that are not available as part of the full MassBank collection of reference standard spectra. " }, { "id": 796, "type": "other", - "label": "MASSPECDB: MassBank Reference Spectra Collection", "visibility": "PUBLIC", + "label": "MASSPECDB: MassBank Reference Spectra Collection", "longDescription": "This MassBank list contains chemicals associated with the full MassBank collection of reference standard spectra available on MassBank.EU<\/a>, mapped to DTXSID by InChIKey. ", + "listName": "MASSBANKREF", "chemicalCount": 7755, "createdAt": "2019-11-16T18:04:04Z", "updatedAt": "2022-06-28T18:59:35Z", - "listName": "MASSBANKREF", "shortDescription": "This MassBank list contains chemicals associated with the full MassBank collection of reference standard spectra available on MassBank.EU, mapped to DTXSID by InChIKey. " }, { "id": 1081, "type": "other", - "label": "Metabolomics Workbench Metabolite Database", "visibility": "PUBLIC", + "label": "Metabolomics Workbench Metabolite Database", "longDescription": "The https://www.metabolomicsworkbench.org/databases/index.php<\/a> contains structures and annotations of biologically relevant metabolites. Data are under constant curation.", + "listName": "METABWKBEN", "chemicalCount": 31937, "createdAt": "2021-03-17T22:56:55Z", "updatedAt": "2022-06-26T17:44:04Z", - "listName": "METABWKBEN", "shortDescription": "The Metabolomics Workbench Metabolite Database contains structures and annotations of biologically relevant metabolites." }, { "id": 1035, "type": "other", - "label": "NORMAN|METABOLITES; Metabolite Reaction Database from BioTransformer", "visibility": "PUBLIC", + "label": "NORMAN|METABOLITES; Metabolite Reaction Database from BioTransformer", "longDescription": "The Metabolite Reaction Database, MetXBioDB, is a biotransformation database used to improve the knowledge and machine learning-based systems of BioTransformer<\/a> by Djoumbou-Feunang et al (2019)<\/a> hosted by the NORMAN Suspect List Exchange<\/a>. Dataset DOI: 10.5281/zenodo.4056560<\/a>.\r\n", + "listName": "METXBIODB", "chemicalCount": 1359, "createdAt": "2020-11-06T21:08:56Z", "updatedAt": "2021-02-19T10:25:31Z", - "listName": "METXBIODB", "shortDescription": "The Metabolite Reaction Database, MetXBioDB, is a biotransformation database underpinning the BioTransformer application." }, { "id": 810, "type": "other", - "label": "LIST: Microcystins", "visibility": "PUBLIC", + "label": "LIST: Microcystins", "longDescription": "List of microcystins (cyanoginosins) are a class of toxins produced by cyanobacteria. The list is under constant curation and expansion.", + "listName": "MICROCYSTIN", "chemicalCount": 7, "createdAt": "2019-11-17T23:13:29Z", "updatedAt": "2019-11-17T23:13:50Z", - "listName": "MICROCYSTIN", "shortDescription": "List of microcystins (cyanoginosins) are a class of toxins produced by cyanobacteria" }, { "id": 2007, "type": "other", - "label": "Multimedia Monitoring Database: Ambient Air subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Ambient Air subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing.\r\n\r\nThis subset of data relates to the Ambient Air media subset of the MMDB dataset.\r\n", + "listName": "MMDBAMBAIR", "chemicalCount": 376, "createdAt": "2024-03-07T15:24:58Z", "updatedAt": "2024-03-11T19:42:06Z", - "listName": "MMDBAMBAIR", "shortDescription": "Multimedia Monitoring Database Ambient Air subset" }, { "id": 2009, "type": "other", - "label": "Multimedia Monitoring Database: Breast Milk subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Breast Milk subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Breast Milk media subset of the MMDB dataset.", + "listName": "MMDBBRSTMILK", "chemicalCount": 80, "createdAt": "2024-03-11T19:19:58Z", "updatedAt": "2024-03-11T19:41:51Z", - "listName": "MMDBBRSTMILK", "shortDescription": "Multimedia Monitoring Database: Breast Milk subset" }, { "id": 2010, "type": "other", - "label": "Multimedia Monitoring Database: Drinking Water subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Drinking Water subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Drinking Water media subset of the MMDB dataset.", + "listName": "MMDBDRNKWTR", "chemicalCount": 117, "createdAt": "2024-03-11T19:25:12Z", "updatedAt": "2024-03-11T19:41:10Z", - "listName": "MMDBDRNKWTR", "shortDescription": "Multimedia Monitoring Database: Drinking Water subset" }, { "id": 2011, "type": "other", - "label": "Multimedia Monitoring Database: Food Product subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Food Product subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Food Product media subset of the MMDB dataset.\r\n", + "listName": "MMDBFOODPROD", "chemicalCount": 161, "createdAt": "2024-03-11T19:29:13Z", "updatedAt": "2024-03-11T19:40:49Z", - "listName": "MMDBFOODPROD", "shortDescription": "Multimedia Monitoring Database: Food Product subset" }, { "id": 2012, "type": "other", - "label": "Multimedia Monitoring Database: Ground Water subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Ground Water subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Ground Water media subset of the MMDB dataset.\r\n", + "listName": "MMDBGRDWTR", "chemicalCount": 890, "createdAt": "2024-03-11T19:33:09Z", "updatedAt": "2024-03-11T19:40:29Z", - "listName": "MMDBGRDWTR", "shortDescription": "Multimedia Monitoring Database: Ground Water subset" }, { "id": 2014, "type": "other", - "label": "Multimedia Monitoring Database: Human blood (whole/serum/plasma) subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Human blood (whole/serum/plasma) subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Human blood (whole/serum/plasma) media subset of the MMDB dataset.", + "listName": "MMDBHUMBLD", "chemicalCount": 235, "createdAt": "2024-03-11T20:05:20Z", "updatedAt": "2024-03-11T20:05:46Z", - "listName": "MMDBHUMBLD", "shortDescription": "Multimedia Monitoring Database: Human blood (whole/serum/plasma) subset" }, { "id": 2013, "type": "other", - "label": "Multimedia Monitoring Database: Human (other tissues or fluids) subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Human (other tissues or fluids) subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Human (other tissues or fluids) media subset of the MMDB dataset.", + "listName": "MMDBHUMOTHER", "chemicalCount": 78, "createdAt": "2024-03-11T19:58:33Z", "updatedAt": "2024-03-11T19:58:57Z", - "listName": "MMDBHUMOTHER", "shortDescription": "Multimedia Monitoring Database: Human (other tissues or fluids) subset" }, { "id": 2015, "type": "other", - "label": "Multimedia Monitoring Database: Indoor Air subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Indoor Air subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Indoor Air media subset of the MMDB dataset.\r\n", + "listName": "MMDBINDOORAIR", "chemicalCount": 107, "createdAt": "2024-03-11T20:10:45Z", "updatedAt": "2024-03-11T20:11:43Z", - "listName": "MMDBINDOORAIR", "shortDescription": "Multimedia Monitoring Database: Indoor Air subset" }, { "id": 2016, "type": "other", - "label": "Multimedia Monitoring Database: Indoor Dust subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Indoor Dust subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Indoor Dust media subset of the MMDB dataset.", + "listName": "MMDBINDOORDUST", "chemicalCount": 172, "createdAt": "2024-03-11T20:16:07Z", "updatedAt": "2024-03-11T20:17:23Z", - "listName": "MMDBINDOORDUST", "shortDescription": "Multimedia Monitoring Database: Indoor Dust subset" }, { "id": 2017, "type": "other", - "label": "Multimedia Monitoring Database: Landfill Leachate subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Landfill Leachate subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Landfill Leachate\r\n media subset of the MMDB dataset.", + "listName": "MMDBLANDFILL", "chemicalCount": 94, "createdAt": "2024-03-11T20:27:16Z", "updatedAt": "2024-03-11T20:28:32Z", - "listName": "MMDBLANDFILL", "shortDescription": "Multimedia Monitoring Database: Landfill Leachate subset" }, { "id": 2018, "type": "other", - "label": "Multimedia Monitoring Database: Livestock/Meat subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Livestock/Meat subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Livestock/Meat media subset of the MMDB dataset.", + "listName": "MMDBMEAT", "chemicalCount": 74, "createdAt": "2024-03-11T20:35:24Z", "updatedAt": "2024-03-11T20:35:54Z", - "listName": "MMDBMEAT", "shortDescription": "Multimedia Monitoring Database: Livestock/Meat subset" }, { "id": 2019, "type": "other", - "label": "Multimedia Monitoring Database: Other:Ecological subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Other:Ecological subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Other:Ecological group of the MMDB dataset.", + "listName": "MMDBOTHERECO", "chemicalCount": 89, "createdAt": "2024-03-11T20:41:09Z", "updatedAt": "2024-03-11T20:41:31Z", - "listName": "MMDBOTHERECO", "shortDescription": "Multimedia Monitoring Database: Other:Ecological subset" }, { "id": 2020, "type": "other", - "label": "Multimedia Monitoring Database: Other:Environmental subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Other:Environmental subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Other: Environmental group of the MMDB dataset.\r\n", + "listName": "MMDBOTHERENV", "chemicalCount": 32, "createdAt": "2024-03-11T21:02:47Z", "updatedAt": "2024-03-11T21:03:08Z", - "listName": "MMDBOTHERENV", "shortDescription": "Multimedia Monitoring Database: Other: Environmental subset" }, { "id": 2021, "type": "other", - "label": "Multimedia Monitoring Database: Personal Air subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Personal Air subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Personal Air subset of the MMDB dataset.", + "listName": "MMDBPERSAIR", "chemicalCount": 26, "createdAt": "2024-03-11T21:06:33Z", "updatedAt": "2024-03-11T21:07:26Z", - "listName": "MMDBPERSAIR", "shortDescription": "Multimedia Monitoring Database: Personal Air subset" }, { "id": 2022, "type": "other", - "label": "Multimedia Monitoring Database: Precipitation subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Precipitation subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Precipitation subset of the MMDB dataset.\r\n", + "listName": "MMDBPRECIP", "chemicalCount": 91, "createdAt": "2024-03-11T21:14:21Z", "updatedAt": "2024-03-11T21:15:11Z", - "listName": "MMDBPRECIP", "shortDescription": "Multimedia Monitoring Database: Precipitation subset" }, { "id": 2023, "type": "other", - "label": "Multimedia Monitoring Database: Product subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Product subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Product subset of the MMDB dataset.\r\n", + "listName": "MMDBPRODUCT", "chemicalCount": 23, "createdAt": "2024-03-11T21:20:04Z", "updatedAt": "2024-03-11T21:20:34Z", - "listName": "MMDBPRODUCT", "shortDescription": "Multimedia Monitoring Database: Product subset" }, { "id": 2024, "type": "other", - "label": "Multimedia Monitoring Database: Raw Agricultural Commodity subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Raw Agricultural Commodity subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Raw Agricultural Commodity subset of the MMDB dataset.", + "listName": "MMDBRAWAG", "chemicalCount": 106, "createdAt": "2024-03-11T21:24:31Z", "updatedAt": "2024-03-11T21:25:07Z", - "listName": "MMDBRAWAG", "shortDescription": "Multimedia Monitoring Database: Raw Agricultural Commodity subset" }, { "id": 2025, "type": "other", - "label": "Multimedia Monitoring Database: Sediment subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Sediment subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Sediment subset of the MMDB dataset.\r\n", + "listName": "MMDBSEDIMENT", "chemicalCount": 870, "createdAt": "2024-03-11T21:29:36Z", "updatedAt": "2024-03-11T21:30:11Z", - "listName": "MMDBSEDIMENT", "shortDescription": "Multimedia Monitoring Database: Sediment subset" }, { "id": 2026, "type": "other", - "label": "Multimedia Monitoring Database: Skin Wipes subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Skin Wipes subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Skin Wipes subset of the MMDB dataset.", + "listName": "MMDBSKINWIPE", "chemicalCount": 40, "createdAt": "2024-03-11T21:35:33Z", "updatedAt": "2024-03-11T21:35:51Z", - "listName": "MMDBSKINWIPE", "shortDescription": "Multimedia Monitoring Database: Skin Wipes subset" }, { "id": 2027, "type": "other", - "label": "Multimedia Monitoring Database: Sludge subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Sludge subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Sludge subset of the MMDB dataset.\r\n", + "listName": "MMDBSLUDGE", "chemicalCount": 127, "createdAt": "2024-03-11T21:38:35Z", "updatedAt": "2024-03-11T21:38:58Z", - "listName": "MMDBSLUDGE", "shortDescription": "Multimedia Monitoring Database: Sludge subset" }, { "id": 2028, "type": "other", - "label": "Multimedia Monitoring Database: Soil subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Soil subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Soil subset of the MMDB dataset.", + "listName": "MMDBSOIL", "chemicalCount": 114, "createdAt": "2024-03-11T21:43:53Z", "updatedAt": "2024-03-11T21:44:14Z", - "listName": "MMDBSOIL", "shortDescription": "Multimedia Monitoring Database: Soil subset" }, { "id": 2029, "type": "other", - "label": "Multimedia Monitoring Database: Surface Water subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Surface Water subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Surface Water subset of the MMDB dataset.\r\n", + "listName": "MMDBSURFWATER", "chemicalCount": 1733, "createdAt": "2024-03-11T21:49:24Z", "updatedAt": "2024-03-11T21:50:18Z", - "listName": "MMDBSURFWATER", "shortDescription": "Multimedia Monitoring Database: Surface Water subset" }, { "id": 2030, "type": "other", - "label": "Multimedia Monitoring Database: Urine subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Urine subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Urine subset of the MMDB dataset.", + "listName": "MMDBURINE", "chemicalCount": 286, "createdAt": "2024-03-11T21:52:30Z", "updatedAt": "2024-03-11T21:52:50Z", - "listName": "MMDBURINE", "shortDescription": "Multimedia Monitoring Database: Urine subset" }, { "id": 1384, "type": "other", - "label": "LIST: Chemicals reported in Monitoring Database publication ", "visibility": "PUBLIC", + "label": "LIST: Chemicals reported in Monitoring Database publication ", "longDescription": "The Multimedia Monitoring Database (MMDB) was compiled from existing reputable monitoring databases using a combination of automated and manual curation approaches. The resulting list of chemicals reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. The publication reports on the technical details of the data assembly and curation approaches.\r\n\r\n", + "listName": "MMDBV1", "chemicalCount": 3271, "createdAt": "2022-03-16T14:17:33Z", "updatedAt": "2023-03-09T23:09:19Z", - "listName": "MMDBV1", "shortDescription": "List of chemicals reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments\" by Isaacs et al" }, { "id": 2031, "type": "other", - "label": "Multimedia Monitoring Database: Vegetation subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Vegetation subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Vegetation subset of the MMDB dataset.\r\n", + "listName": "MMDBVEGET", "chemicalCount": 84, "createdAt": "2024-03-11T21:56:31Z", "updatedAt": "2024-03-11T21:57:21Z", - "listName": "MMDBVEGET", "shortDescription": "Multimedia Monitoring Database: Vegetation subset" }, { "id": 2032, "type": "other", - "label": "Multimedia Monitoring Database: Wastewater (influent, effluent) subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Wastewater (influent, effluent) subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Wastewater (influent, effluent) subset of the MMDB dataset.", + "listName": "MMDBWASTEWAT", "chemicalCount": 467, "createdAt": "2024-03-11T22:19:34Z", "updatedAt": "2024-03-11T22:19:54Z", - "listName": "MMDBWASTEWAT", "shortDescription": "Multimedia Monitoring Database: Wastewater (influent, effluent) subset" }, { "id": 2033, "type": "other", - "label": "Multimedia Monitoring Database: Wildlife (aquatic invertebrate) subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Wildlife (aquatic invertebrate) subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Wildlife (aquatic invertebrate) subset of the MMDB dataset.\r\n", + "listName": "MMDBWLAQINV", "chemicalCount": 498, "createdAt": "2024-03-11T22:24:54Z", "updatedAt": "2024-03-11T22:25:13Z", - "listName": "MMDBWLAQINV", "shortDescription": "Multimedia Monitoring Database: Wildlife (aquatic invertebrate) subset" }, { "id": 2034, "type": "other", - "label": "Multimedia Monitoring Database: Wildlife (aquatic vertebrate) subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Wildlife (aquatic vertebrate) subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Wildlife (aquatic vertebrate) subset of the MMDB dataset.\r\n", + "listName": "MMDBWLAQVERT", "chemicalCount": 191, "createdAt": "2024-03-11T22:28:17Z", "updatedAt": "2024-03-11T22:28:37Z", - "listName": "MMDBWLAQVERT", "shortDescription": "Multimedia Monitoring Database: Wildlife (aquatic vertebrate) subset" }, { "id": 2035, "type": "other", - "label": "Multimedia Monitoring Database: Wildlife (birds) subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Wildlife (birds) subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Wildlife (birds) subset of the MMDB dataset.", + "listName": "MMDBWLBIRDS", "chemicalCount": 159, "createdAt": "2024-03-11T22:34:53Z", "updatedAt": "2024-03-11T22:35:13Z", - "listName": "MMDBWLBIRDS", "shortDescription": "Multimedia Monitoring Database: Wildlife (birds) subset" }, { "id": 2036, "type": "other", - "label": "Multimedia Monitoring Database: Wildlife (fish) subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Wildlife (fish) subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Wildlife (fish) subset of the MMDB dataset.\r\n", + "listName": "MMDBWLFISH", "chemicalCount": 513, "createdAt": "2024-03-11T22:39:52Z", "updatedAt": "2024-03-11T22:40:14Z", - "listName": "MMDBWLFISH", "shortDescription": "Multimedia Monitoring Database: Wildlife (fish) subset" }, { "id": 2037, "type": "other", - "label": "Multimedia Monitoring Database: Wildlife (terrestrial invertebrates/worms) subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Wildlife (terrestrial invertebrates/worms) subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Wildlife (terrestrial invertebrates/worms) subset of the MMDB dataset.\r\n", + "listName": "MMDBWLTERRINV", "chemicalCount": 66, "createdAt": "2024-03-11T22:45:13Z", "updatedAt": "2024-03-11T22:47:42Z", - "listName": "MMDBWLTERRINV", "shortDescription": "Multimedia Monitoring Database: Wildlife (terrestrial invertebrates/worms) subset" }, { "id": 2038, "type": "other", - "label": "Multimedia Monitoring Database: Wildlife (terrestrial vertebrates) subset", "visibility": "PUBLIC", + "label": "Multimedia Monitoring Database: Wildlife (terrestrial vertebrates) subset", "longDescription": "The Multimedia Monitoring Database (MMDB) was developed by EPA’s Office and Research and Development and reported in the paper \"A Harmonized Chemical Monitoring Database for Support of Exposure Assessments<\/a>\" by Isaacs et al. Data from 20 individual public monitoring data sources were extracted and curated to harmonized chemical identifiers (DTXSID) and media categories for support of exposure assessments and development of high-throughput models. This list includes chemicals that have been curated as being detected in MMDBV1<\/a>. Curation of MMDB data records and detected chemicals is ongoing. \r\n\r\nThis subset of data relates to the Wildlife (terrestrial vertebrates) subset of the MMDB dataset.", + "listName": "MMDBWLTERRVER", "chemicalCount": 145, "createdAt": "2024-03-11T22:53:27Z", "updatedAt": "2024-03-11T22:54:57Z", - "listName": "MMDBWLTERRVER", "shortDescription": "Multimedia Monitoring Database: Wildlife (terrestrial vertebrates) subset" }, { "id": 959, "type": "other", - "label": "Constituents Of Motor Fuels Relevant To Leaking Underground Storage Tanks", "visibility": "PUBLIC", + "label": "Constituents Of Motor Fuels Relevant To Leaking Underground Storage Tanks", "longDescription": "This list of motor fuel constituents is related to the report \"Sources Of Toxicity Values For Constituents Of Motor Fuels Relevant To Leaking Underground Storage Tank Site Characterization and Risk Assessment<\/a>\" from the US-EPA and published in December 2019.

\r\n\r\nOther lists of interest are:

\r\n\r\nHazardous Substance List (40CFR116.4): related to Above Ground Storage Tanks\r\n
Hazardous Substance List (40CFR116.4): related to Above Ground Storage Tanks<\/a>

\r\n\r\nChemicals present in Underground Storage Tanks\r\n
Chemicals present in Underground Storage Tanks<\/a>

\r\n\r\n", + "listName": "MOTORFUELS", "chemicalCount": 27, "createdAt": "2020-07-27T12:21:05Z", "updatedAt": "2020-07-27T13:06:51Z", - "listName": "MOTORFUELS", "shortDescription": "List of constituents of motor fuels relevant to leaking underground storage tank sites\r\n" }, { "id": 1057, "type": "other", - "label": "MASSPECDB: IROA Mass Spectrometry Metabolite Library", "visibility": "PUBLIC", + "label": "MASSPECDB: IROA Mass Spectrometry Metabolite Library", "longDescription": "The IROA MSMLS™ (Mass Spectrometry Metabolite Library) is a collection of high quality small biochemical molecules used for mass spectrometry metabolomics applications and provides a broad representation of primary metabolism.", + "listName": "MSMLS", "chemicalCount": 596, "createdAt": "2021-02-12T12:09:42Z", "updatedAt": "2021-04-15T12:36:19Z", - "listName": "MSMLS", "shortDescription": "MSMLS™ (Mass Spectrometry Metabolite Library) is a collection of primary metabolites." }, { "id": 1448, "type": "other", - "label": "MTox700+ metabolic biomarkers", "visibility": "PUBLIC", + "label": "MTox700+ metabolic biomarkers", "longDescription": "List of metabolic biomarkers associated with the publication
\"Knowledge-Driven Approaches to Create the MTox700+ Metabolite Panel for Predicting Toxicity\"<\/a> authored by Viant et al.", + "listName": "MTox700", "chemicalCount": 650, "createdAt": "2022-04-30T20:02:50Z", "updatedAt": "2022-08-17T20:10:46Z", - "listName": "MTox700", "shortDescription": "List of metabolic biomarkers associated with the publication \"Knowledge-Driven Approaches to Create the MTox700+ Metabolite Panel for Predicting Toxicity\" authored by Viant et al." }, { "id": 809, "type": "other", - "label": "LIST: Mycotoxins", "visibility": "PUBLIC", + "label": "LIST: Mycotoxins", "longDescription": "This list of mycotoxins is assembled from public resources and includes data from Wikipedia, databases and literature articles. The list is under constant curation and expansion.", + "listName": "MYCOTOX2", "chemicalCount": 328, "createdAt": "2019-11-17T23:11:37Z", "updatedAt": "2019-11-17T23:12:12Z", - "listName": "MYCOTOX2", "shortDescription": "List of mycotoxins collected from public sources " }, { "id": 411, "type": "other", - "label": "MASSPECDB: Mycotoxins from MassBank.EU", "visibility": "PUBLIC", + "label": "MASSPECDB: Mycotoxins from MassBank.EU", "longDescription": "This is a set of mycotoxins, initiated by the contribution of spectra of 90 mycotoxins to MassBank.EU<\/a> by Justin Renaud and colleagues from Agriculture and Agri-Food Canada, Government of Canada. This list is also a part of the MASSBANKREF<\/a> list and the NORMAN Suspect Exchange<\/a> and will be expanded as new contributions arrive. ", + "listName": "MYCOTOXINS", "chemicalCount": 88, "createdAt": "2017-08-02T08:40:18Z", "updatedAt": "2018-11-16T21:19:56Z", - "listName": "MYCOTOXINS", "shortDescription": "This is a set of mycotoxins, initiated by the contribution of spectra of 90 mycotoxins to MassBank.EU by Justin Renaud and colleagues from Agriculture and Agri-Food Canada, Government of Canada" }, { "id": 412, "type": "other", - "label": "MASSPECDB: Thermo's mzCloud Database", "visibility": "PUBLIC", + "label": "MASSPECDB: Thermo's mzCloud Database", "longDescription": "mzCloud is an extensively curated database of high-resolution tandem mass spectra that are arranged into spectral trees. MS/MS and multi-stage MSn spectra were acquired at various collision energies, precursor m/z, and isolation widths using Collision-induced dissociation (CID) and Higher-energy collisional dissociation (HCD). Each raw mass spectrum was filtered and recalibrated giving rise to additional filtered and recalibrated spectral trees that are fully searchable. Besides the experimental and processed data, each database record contains the compound name with synonyms, the chemical structure, computationally and manually annotated fragments (peaks), identified adducts and multiply charged ions, molecular formulas, predicted precursor structures, detailed experimental information, peak accuracies, mass resolution, InChi, InChiKey, and other identifiers. mzCloud is a fully searchable library that allows spectra searches, tree searches, structure and substructure searches, monoisotopic mass searches, peak (m/z) searches, precursor searches, and name searches.", + "listName": "MZCLOUD", "chemicalCount": 5400, "createdAt": "2017-08-02T21:02:28Z", "updatedAt": "2022-06-28T13:50:28Z", - "listName": "MZCLOUD", "shortDescription": "mzCloud is a state of the art mass spectral database that assists analysts in identifying compounds in areas such as life sciences, metabolomics, pharmaceutical research, toxicology, forensic investigations and environmental analysis.\r\n" }, { "id": 1535, "type": "other", - "label": "MASSPECDB: Thermo's mzCloud Database", "visibility": "PUBLIC", + "label": "MASSPECDB: Thermo's mzCloud Database", "longDescription": "mzCloud is an extensively curated database of high-resolution tandem mass spectra that are arranged into spectral trees. MS/MS and multi-stage MSn spectra were acquired at various collision energies, precursor m/z, and isolation widths using Collision-induced dissociation (CID) and Higher-energy collisional dissociation (HCD). Each raw mass spectrum was filtered and recalibrated giving rise to additional filtered and recalibrated spectral trees that are fully searchable. Besides the experimental and processed data, each database record contains the compound name with synonyms, the chemical structure, computationally and manually annotated fragments (peaks), identified adducts and multiply charged ions, molecular formulas, predicted precursor structures, detailed experimental information, peak accuracies, mass resolution, InChi, InChiKey, and other identifiers. mzCloud is a fully searchable library that allows spectra searches, tree searches, structure and substructure searches, monoisotopic mass searches, peak (m/z) searches, precursor searches, and name searches.(Updated 07/05/2022)", + "listName": "MZCLOUD0722", "chemicalCount": 6044, "createdAt": "2022-07-05T21:21:51Z", "updatedAt": "2023-04-10T09:24:24Z", - "listName": "MZCLOUD0722", "shortDescription": "mzCloud is a state of the art mass spectral database that assists analysts in identifying compounds in areas such as life sciences, metabolomics, pharmaceutical research, toxicology, forensic investigations and environmental analysis. (Updated 07/05/2022)" }, { "id": 1167, "type": "other", - "label": "EPA: NaKnowBase Nanomaterials Knowledgebase", "visibility": "PUBLIC", + "label": "EPA: NaKnowBase Nanomaterials Knowledgebase", "longDescription": "The EPA Nanomaterials Knowledgebase- NaKnowBase (NKB) contains a full list of materials obtained from published ORD research relevant to the potential environmental and biological actions of Engineered Nanomaterials (ENMs). The Nanomaterial-ID file maps DSSTox substance records to the most current list of ENMs (last updated 12/14/20). The Nanomaterial-ID is a current snapshot of all NKB-documented ENMs. A detailed description of EPA's chemical management system and the DSSTox curation associated with chemical registration and mapping of the Nanomaterial-ID file is described in the article An EPA database on the effects of engineered nanomaterials-NaKnowBase<\/a>.\r\n", + "listName": "NAKNOWBASE", "chemicalCount": 373, "createdAt": "2021-05-10T18:20:14Z", "updatedAt": "2023-03-10T12:13:48Z", - "listName": "NAKNOWBASE", "shortDescription": "The EPA Nanomaterials Knowledgebase- NaKnowBase (NKB) contains information relevant to the Engineered Nanomaterials (ENMs)." }, { "id": 1168, "type": "other", - "label": "Naphtha (petroleum), heavy hydrocracked (CASRN: 64741-78-2)", "visibility": "PUBLIC", + "label": "Naphtha (petroleum), heavy hydrocracked (CASRN: 64741-78-2)", "longDescription": "TSCA Definition 2019: A complex combination of hydrocarbons from distillation of the products from a hydrocracking process. It consists predominantly of saturated hydrocarbons having carbon numbers predominantly in the range of C6 through C12, and boiling in the range of approximately 65 degrees C to 230 degrees C (148 degrees F to 446 degrees F).", + "listName": "NAPHTHA", "chemicalCount": 578, "createdAt": "2021-05-10T18:26:05Z", "updatedAt": "2021-05-10T18:26:41Z", - "listName": "NAPHTHA", "shortDescription": "Naphtha (petroleum), heavy hydrocracked assembled based on substructure searching and predicted boiling points." }, { "id": 877, "type": "other", - "label": "NaToxAq: Natural Toxins and Drinking Water Quality - From Source to Tap", "visibility": "PUBLIC", + "label": "NaToxAq: Natural Toxins and Drinking Water Quality - From Source to Tap", "longDescription": "NaToxAq<\/a> is a European Training Network (ETN) funded by the European Union’s Horizon 2020 research and innovation programme under the Marie Sklodowska-Curie grant agreement No 722493, to produce knowledge about natural toxins in aquatic environments. This is a list of all NaToxAq chemicals registered in MassBank within the project, provided by Tobias Schulze, UFZ and hosted on the NORMAN Suspect List Exchange at 10.5281/zenodo.3695174/a>.\r\n", + "listName": "NATOXAQ", "chemicalCount": 90, "createdAt": "2020-04-21T13:03:35Z", "updatedAt": "2020-04-21T13:04:02Z", - "listName": "NATOXAQ", "shortDescription": "NaToxAq: Natural Toxins and Drinking Water Quality - From Source to Tap" }, { "id": 1635, "type": "other", - "label": "PESTICIDES|NTA: List of pesticides and residues detected by non-targeted analysis", "visibility": "PUBLIC", + "label": "PESTICIDES|NTA: List of pesticides and residues detected by non-targeted analysis", "longDescription": "The publication \"Non-target data acquisition for target analysis (nDATA) of 845 pesticide residues in fruits and vegetables using UHPLC/ESI Q-Orbitrap<\/a>\" reports on the development of a compound database of 845 pesticides to screen pesticide residues in fruit and vegetable samples. \r\n\r\n", + "listName": "NDATAPEST", "chemicalCount": 837, "createdAt": "2022-10-23T15:17:53Z", "updatedAt": "2023-04-15T02:19:51Z", - "listName": "NDATAPEST", "shortDescription": "List of 845 pesticides used to screen pesticide residues by non-targeted analysis in fruit and vegetable samples" }, { "id": 333, "type": "other", - "label": "MASSPECDB: National Environmental Methods Index ", "visibility": "PUBLIC", + "label": "MASSPECDB: National Environmental Methods Index ", "longDescription": "The National Environment Methods Index (NEMI) is a searchable database of environmental methods, protocols, statistical and analytical methods, and procedures that allows scientists and managers to find and compare methods for all stages of the monitoring process. Submitted methods are reviewed for technical quality and applicability prior to being included in the database. A NEMI Review Committee has final authority for determining if a submitted method meets the criteria for addition to the NEMI database.", + "listName": "NEMILIST", "chemicalCount": 1507, "createdAt": "2017-03-13T10:46:37Z", "updatedAt": "2020-04-28T14:07:21Z", - "listName": "NEMILIST", "shortDescription": "The National Environment Methods Index (NEMI) is a searchable database of environmental methods, protocols, statistical and analytical methods." }, { "id": 886, "type": "other", - "label": "LIST: Nerve Agents", "visibility": "PUBLIC", + "label": "LIST: Nerve Agents", "longDescription": "Nerve agents, sometimes also called nerve gases, are a class of organic chemicals that disrupt the mechanisms by which nerves transfer messages to organs. The disruption is caused by the blocking of acetylcholinesterase, an enzyme that catalyzes the breakdown of acetylcholine, a neurotransmitter", + "listName": "NERVEAGENTS", "chemicalCount": 22, "createdAt": "2020-04-22T22:19:58Z", "updatedAt": "2020-04-22T22:21:00Z", - "listName": "NERVEAGENTS", "shortDescription": "List of Nerve Agents" }, { "id": 575, "type": "other", - "label": "NEURO: Neurotoxicants Collection from Public Resources", "visibility": "PUBLIC", + "label": "NEURO: Neurotoxicants Collection from Public Resources", "longDescription": "This is a list of chemicals reported as neurotoxins that has been compiled from public resources including Ganfyd<\/a>, ChEBI<\/a>, Wikipedia<\/a>, T3DB (entries tagged as neurotoxin) and various literature (mining) resources.\r\n\r\n\r\n\r\n\r\n\r\n", + "listName": "NEUROTOXINS", "chemicalCount": 511, "createdAt": "2018-11-16T14:59:15Z", "updatedAt": "2020-04-22T22:29:36Z", - "listName": "NEUROTOXINS", "shortDescription": "This is a list of chemicals reported as neurotoxins that has been compiled from public resources including Ganfyd, ChEBI, Wikipedia, T3DB and various literature (mining) resources." }, { "id": 247, "type": "other", - "label": "LIST: 2009-2010 NHANES compounds", "visibility": "PUBLIC", + "label": "LIST: 2009-2010 NHANES compounds", "longDescription": "List of 2009-2010 chemical compounds from the National Health and Nutrition Examination Survey (NHANES). The work is published in \"A Method for Identifying Prevalent Chemical Combinations in the U.S. Population<\/a>\" which identified 90 chemical combinations consisting of relatively few chemicals that occur in at least 30% of the U.S. population, as well as three super combinations consisting of relatively many chemicals that occur in a small but non-negligible proportion of the U.S. population.\r\n\r\n", + "listName": "NHANES_DKAPRAUN", "chemicalCount": 106, "createdAt": "2016-07-11T15:51:12Z", "updatedAt": "2022-08-19T13:16:22Z", - "listName": "NHANES_DKAPRAUN", "shortDescription": "List of 2009-2010 chemical compounds from the National Health and Nutrition Examination Survey (NHANES)" }, { "id": 1326, "type": "other", - "label": "MASSSPEC: NIST SRM1950 - Metabolites in Human Plasma", "visibility": "PUBLIC", + "label": "MASSSPEC: NIST SRM1950 - Metabolites in Human Plasma", "longDescription": "This Standard Reference Material (SRM1950), \"Metabolites in Frozen Human Plasma\" is intended primarily for validation of methods for determining metabolites such as fatty acids, electrolytes, vitamins, hormones, and amino acids in human plasma and similar materials. Details regarding the Standard Reference Material are available on the NIST website here<\/a>.", + "listName": "NISTSRM1950", "chemicalCount": 304, "createdAt": "2021-11-09T11:14:34Z", "updatedAt": "2021-11-09T11:16:03Z", - "listName": "NISTSRM1950", "shortDescription": "NIST Standard Reference Material (SRM1950), \"Metabolites in Frozen Human Plasma\"" }, { "id": 801, "type": "other", - "label": "MASSSPEC: Standard Reference Material (SRM) 2585: Organic Contaminants in House Dust to Support Exposure Assessment Measurements", "visibility": "PUBLIC", + "label": "MASSSPEC: Standard Reference Material (SRM) 2585: Organic Contaminants in House Dust to Support Exposure Assessment Measurements", "longDescription": "SRM 2585: Organics in House Dust is a standard reference material provided by NIST that is intended to be used in evaluating methodology used for the determination of selected PAHs, polychlorinated biphenyl (PCB) congeners, chlorinated pesticides, and PBDE congeners in house dust and similar matrices. This list is included for the purpose of providing a list of chemicals that can potentially be detected in House Dust and includes all chemicals listed in the Certificate of Analysis<\/a> and a series of related publications. A publication is presently in development that will deliver a more complete analysis of chemicals detected in house dust (updated August 6th 2019)\r\n\r\n", + "listName": "NISTSRM2585", "chemicalCount": 238, "createdAt": "2019-11-16T20:09:40Z", "updatedAt": "2023-04-05T14:41:05Z", - "listName": "NISTSRM2585", "shortDescription": "SRM 2585: Organics in House Dust is a standard reference material used for the determination of selected PAHs, PCB congeners and other chemicals in house dust and similar matrices." }, { "id": 1349, "type": "other", - "label": "LIST: List of all possible nonylphenol isomers ", "visibility": "PUBLIC", + "label": "LIST: List of all possible nonylphenol isomers ", "longDescription": "LIST: List of all possible nonylphenol isomers ", + "listName": "NONYLPHENOLS", "chemicalCount": 209, "createdAt": "2022-01-05T07:58:23Z", "updatedAt": "2022-02-04T14:58:01Z", - "listName": "NONYLPHENOLS", "shortDescription": "LIST: List of all possible nonylphenol isomers " }, { "id": 387, "type": "other", - "label": "MASSPECDB|NORMAN: Collaborative Trial 2015 Target and Suspects ", "visibility": "PUBLIC", + "label": "MASSPECDB|NORMAN: Collaborative Trial 2015 Target and Suspects ", "longDescription": "NORMANCT15 is a compilation of all target and suspect substances reported by participants in the NORMAN Collaborative Trial on Non-target Screening, run by the NORMAN Network<\/a> and described in Schymanski et al 2015, DOI: 10.1007/s00216-015-8681-7<\/a>. The original data is available on the NORMAN Suspect List Exchange<\/a>. This list contains those substances registered in the Dashboard. ", + "listName": "NORMANCT15", "chemicalCount": 732, "createdAt": "2017-07-14T14:12:53Z", "updatedAt": "2019-05-18T21:11:28Z", - "listName": "NORMANCT15", "shortDescription": "NORMANCT15 is a compilation of all target and suspect substances reported by participants in the NORMAN Collaborative Trial on Non-target Screening, run by the NORMAN Network and described in Schymanski et al 2015, DOI: 10.1007/s00216-015-8681-7" }, { "id": 359, "type": "other", - "label": "NORMAN: NormaNEWS: Norman Early Warning System", "visibility": "PUBLIC", + "label": "NORMAN: NormaNEWS: Norman Early Warning System", "longDescription": "The Norman Early Warning System (NormaNEWS<\/a>) is a pilot network designed to investigate the spatial and temporal distribution of newly identified contaminants of emerging concern in environmental samples through performing retrospective suspect screening on HRMS data acquired using different instrumental platforms and data processing software. \r\nThe NormaNEWS pilot study was performed through recruiting eight reference laboratories with available archived HRMS data with the goal of exploring the potential of an early warning network to rapidly establish the occurrence of newly-identified contaminants of emerging concern across Europe and beyond, through the use of retrospective suspect screening employing HRMS. The pilot study was referred to as the Norman Early Warning System, abbreviated to NormaNEWS.\r\n", + "listName": "NORMANews", "chemicalCount": 131, "createdAt": "2017-05-09T17:02:33Z", "updatedAt": "2018-11-16T21:48:12Z", - "listName": "NORMANews", "shortDescription": "The NORMAN Early Warning System (NormaNEWS) is a collaborative activity run by the NORMAN Network to investigate newly identified contaminants of emerging concern via retrospective screening on HRMS data." }, { "id": 880, "type": "other", - "label": "NORMAN: NormaNEWS2 Retrospective Screening of New Emerging Contaminants", "visibility": "PUBLIC", + "label": "NORMAN: NormaNEWS2 Retrospective Screening of New Emerging Contaminants", "longDescription": "This is the collection associated with list S62 NormaNEWS2 on the NORMAN Suspect List Exchange<\/a>. List of suspects provided by many contributors to NormaNEWS2, collated by Kevin Thomas and colleagues at the University of Queensland. The Norman Early Warning System (NormaNEWS) is a collaborative activity aimed at members active in non-target analysis. The concept of NormaNEWS is that when one group identifies a new contaminant of emerging concern identification criteria are sent to other members of the group who use retrospective analysis techniques to check their own samples. This way we can rapidly establish the occurrence of newly identified compounds of emerging concern across Europe and beyond. NormaNEWS is lead by Kevin Thomas at NIVA (Norway) / University of Queensland (Australia) as part of the Non-target screening cross-working group activity of the NORMAN network. This is a partial mapping until the next release.\r\n\r\n\r\n\r\n\r\n\r\n", + "listName": "NORMANEWS2", "chemicalCount": 271, "createdAt": "2020-04-21T16:16:33Z", "updatedAt": "2020-04-21T16:17:08Z", - "listName": "NORMANEWS2", "shortDescription": "NormaNEWS2 Retrospective Screening of New Emerging Contaminants (NORMANEWS2 on the NORMAN Suspect List Exchange)" }, { "id": 386, "type": "other", - "label": "NORMAN: NORMAN Network Priority Substance List ", "visibility": "PUBLIC", + "label": "NORMAN: NORMAN Network Priority Substance List ", "longDescription": "NORMANPRI contains the list of priority substances determined by the NORMAN Network Working Group 1<\/a> on Prioritization, provided by Valeria Dulio, INERIS, France. Further details are available on the Working Group website. The original data is available on the NORMAN Suspect List Exchange<\/a>. \r\nThis list is undergoing continuous curation/extension. \r\n", + "listName": "NORMANPRI", "chemicalCount": 922, "createdAt": "2017-07-14T12:23:13Z", "updatedAt": "2018-11-16T21:48:37Z", - "listName": "NORMANPRI", "shortDescription": "NORMANPRI contains the list of priority substances determined by the NORMAN Network Working Group 1 on Prioritization, provided by Valeria Dulio, INERIS, France. Further details on the website. " }, { "id": 804, "type": "other", - "label": "PESTICIDES|NORMAN: Natural Product Insecticides", "visibility": "PUBLIC", + "label": "PESTICIDES|NORMAN: Natural Product Insecticides", "longDescription": "A list of naturally occurring insecticides curated and provided to the NORMAN Suspect List Exchange (https://www.norman-network.com/nds/SLE/<\/a>) by Reza Aalizadeh (University of Athens). DOI: https://doi.org/10.5281/zenodo.3544742<\/a>", + "listName": "NPINSECT", "chemicalCount": 84, "createdAt": "2019-11-17T12:42:41Z", "updatedAt": "2019-11-17T22:07:45Z", - "listName": "NPINSECT", "shortDescription": "Naturally occurring insecticides in the NORMAN Suspect List Exchange" }, { "id": 1380, "type": "other", - "label": "LIST: NTA Quality Control Standard Mixture from FDA", "visibility": "PUBLIC", + "label": "LIST: NTA Quality Control Standard Mixture from FDA", "longDescription": "A list of chemicals associated with an article from the FDA regarding \"A Proposed Quality Control Standard Mixture and Its Uses for Evaluating Non-targeted and Suspect Screening LC/HR-MS Method Performance\"<\/a>.", + "listName": "NTAQCMIX", "chemicalCount": 88, "createdAt": "2022-03-15T12:49:51Z", "updatedAt": "2022-08-17T20:24:17Z", - "listName": "NTAQCMIX", "shortDescription": "A list of chemicals associated with an article from the FDA regarding \"A Proposed Quality Control Standard Mixture and Its Uses for Evaluating Non-targeted and Suspect Screening LC/HR-MS Method Performance\"" }, { "id": 958, "type": "other", - "label": "NORMAN: Pharmaceutically Active Substances from National Taiwan University", "visibility": "PUBLIC", + "label": "NORMAN: Pharmaceutically Active Substances from National Taiwan University", "longDescription": "A suspect list based on Agilent PCDLs containing pharmaceutically active substances in crops from the College of Public Health, National Taiwan University, kindly provided by Wen-Ling Chen, details in Chen et al (2021)<\/a> and hosted on the NORMAN Suspect List Exchange<\/a>. Dataset DOI: 10.5281/zenodo.3955664<\/a>.\r\n\r\n\r\n\r\n\r\n", + "listName": "NTUPHTW", "chemicalCount": 1066, "createdAt": "2020-07-23T06:30:08Z", "updatedAt": "2020-11-06T20:49:20Z", - "listName": "NTUPHTW", "shortDescription": "A suspect list based on Agilent PCDLs containing pharmaceutically active substances in crops" }, { "id": 1389, "type": "other", - "label": "CATEGORY: Likely Organohalogen Flame Retardants - Partial subset of the US CPSC/US EPA Flame Retardant Inventory", "visibility": "PUBLIC", + "label": "CATEGORY: Likely Organohalogen Flame Retardants - Partial subset of the US CPSC/US EPA Flame Retardant Inventory", "longDescription": "Likely Organohalogen Flame Retardants<\/b>: A subset of the Join US CPSC-US EPA Flame Retardant Inventory of substances that have undergone review by a panel of experts and have been identified as being likely organohalogen flame retardants (i.e., substances that are likely flame retardants and have at least one Carbon-Halogen bond). In addition to expert opinion, substances’ flame retardancy and organohalogen structure were bolstered by use of Quantitative Structure-Use Relationships (see Phillips, et al, 2017<\/a> for more information on this methodology).
\r\n\r\nOther curated lists based on the flame retardancy of these substances are available as listed below:
\r\n\r\nFull Flame Retardant Inventory<\/b>: Joint US Consumer Product Safety Commission (CPSC)-US Environmental Protection Agency (EPA) Flame Retardant Inventory: potential Flame Retardant substances identified from publicly-available materials. This encompasses EPA/CPSC reports, published literature, as well as publicly available information from manufacturers. For more information on the collection and curation process see the published article [Nature Scientific Data DOI will be inserted when available] and the published dataset [Figshare DOI for final dataset will be inserted when available]. The list is available
here<\/a>.
\r\n\r\nLikely Flame Retardants<\/b>: A subset of the Joint US CPSC-US EPA Flame Retardant Inventory of substances that have undergone review by a panel of experts and have been identified as being likely flame retardants. In addition to expert opinion, substances’ flame retardancy were predicted with Quantitative Structure-Use Relationships (see
Phillips, et al, 2017<\/a> for more information on this methodology). The list is available here<\/a>.
", + "listName": "OFRLIKELY", "chemicalCount": 489, "createdAt": "2022-03-16T23:29:57Z", "updatedAt": "2022-03-18T10:26:50Z", - "listName": "OFRLIKELY", "shortDescription": "Joint US Consumer Product Safety Commission (CPSC)-US Environmental Protection Agency (EPA) partial subset of Likely Organohalogen Flame Retardants<\/b> from the Flame Retardant Inventory" }, { "id": 1144, "type": "other", - "label": "MASSPECDB: Oligosaccharides in Human Milk", "visibility": "PUBLIC", + "label": "MASSPECDB: Oligosaccharides in Human Milk", "longDescription": "List of oligosaccharides in Human Milk used to assemble a mass spectral reference library as identified in the publication \"
Creating a Mass Spectral Reference Library for Oligosaccharides in Human Milk<\/a>\"\r\n", + "listName": "OLIGOSACMS", "chemicalCount": 47, "createdAt": "2021-04-25T16:52:01Z", "updatedAt": "2021-08-07T11:21:33Z", - "listName": "OLIGOSACMS", "shortDescription": "List of oligosaccharides in Human Milk used to assemble a mass spectral reference library " }, { "id": 808, "type": "other", - "label": "PHARMACEUTICALS|METABOLITES: List of opioids and related metabolites", "visibility": "PUBLIC", + "label": "PHARMACEUTICALS|METABOLITES: List of opioids and related metabolites", "longDescription": "This list of opioids and related metabolites is assembled primarily from public resources (e.g. Wikipedia, databases and literature articles) and is under ongoing curation and expansion.", + "listName": "OPIOIDS", "chemicalCount": 180, "createdAt": "2019-11-17T23:08:12Z", "updatedAt": "2020-11-06T22:45:18Z", - "listName": "OPIOIDS", "shortDescription": "List of opioids and related metabolites" }, { "id": 890, "type": "other", - "label": "LIST: OSHA Chemicals", "visibility": "PUBLIC", + "label": "LIST: OSHA Chemicals", "longDescription": "The list of chemicals from the OSHA Occupational Chemical Database compiles information from several government agencies and organizations. Information available on the pages includes: Chemical identification and physical properties, Exposure limits, Sampling information, and Additional resources.", + "listName": "OSHA", "chemicalCount": 838, "createdAt": "2020-04-23T20:02:29Z", "updatedAt": "2020-04-23T20:07:44Z", - "listName": "OSHA", "shortDescription": "List of chemicals from the OSHA Occupational Chemical Database" }, { "id": 579, "type": "other", - "label": "CATEGORY: Polycyclic Aromatic Hydrocarbons collection", "visibility": "PUBLIC", + "label": "CATEGORY: Polycyclic Aromatic Hydrocarbons collection", "longDescription": "Polycyclic aromatic hydrocarbons (PAHs) are a class of chemicals that occur naturally in coal, crude oil, and gasoline. They also are produced when coal, oil, gas, wood, garbage, and tobacco are burned. PAHs generated from these sources can bind to or form small particles in the air. High-temperature cooking will form PAHs in meat and in other foods. Naphthalene is a PAH that is produced commercially in the United States to make other chemicals and mothballs. Cigarette smoke contains many PAHs. ", + "listName": "PAHLIST", "chemicalCount": 72, "createdAt": "2018-11-16T15:08:06Z", "updatedAt": "2020-10-11T10:38:03Z", - "listName": "PAHLIST", "shortDescription": "List of polycyclic aromatic hydrocarbons" }, { "id": 965, "type": "other", - "label": "EPA: List of solvents in the PARIS III Solvent Database", "visibility": "PUBLIC", + "label": "EPA: List of solvents in the PARIS III Solvent Database", "longDescription": "The PARIS III database of the physical and chemical properties of solvents and their potential environmental impacts is contained within the EPA’s Solvent Substitution Software Tools, PARIS III. This software tool is open source and has an easy-to-use friendly graphical user interface. It can be downloaded and installed without difficulty on most laptop and desktop personal computers. More information about the PARIS III software tool can be found at EPA’s PARIS III website<\/a>.\r\n\r\n\r\n\r\n\r\n\r\n", + "listName": "PARISIII", "chemicalCount": 5195, "createdAt": "2020-07-30T17:35:59Z", "updatedAt": "2023-03-02T12:23:02Z", - "listName": "PARISIII", "shortDescription": "List of solvents contained within the PARIS III database of physical and chemical properties of solvents" }, { "id": 1360, "type": "other", - "label": "LIST; List of metabolites associated with the PathBank database", "visibility": "PUBLIC", + "label": "LIST; List of metabolites associated with the PathBank database", "longDescription": "The PathBank database contains >100 000 machine-readable pathways found in model organisms such as humans, mice, E. coli, yeast, and Arabidopsis thaliana. This list is all substances included in the PathBank database (https://pathbank.org/)", + "listName": "PATHBANK", "chemicalCount": 2755, "createdAt": "2022-02-19T23:31:36Z", "updatedAt": "2022-05-06T13:49:17Z", - "listName": "PATHBANK", "shortDescription": "This list is all substances included in the PathBank database." }, { "id": 1341, "type": "other", - "label": "CATEGORY: Polybrominated biphenyl (PBB) collection", "visibility": "PUBLIC", + "label": "CATEGORY: Polybrominated biphenyl (PBB) collection", "longDescription": "This is a list of all 209 polybrominated biphenyl chemicals with associated CAS Numbers.", + "listName": "PBBCHEMICALS", "chemicalCount": 209, "createdAt": "2021-12-04T21:03:58Z", "updatedAt": "2021-12-04T21:04:49Z", - "listName": "PBBCHEMICALS", "shortDescription": "This is a list of all 209 polybrominated biphenyl chemicals" }, { "id": 577, "type": "other", - "label": "CATEGORY: Polybrominated diphenyl ethers (PBDEs)", "visibility": "PUBLIC", + "label": "CATEGORY: Polybrominated diphenyl ethers (PBDEs)", "longDescription": "A list of all 209 polybrominated diphenyl ethers, many of which, in mixture form, are flame retardants", + "listName": "PBDES", "chemicalCount": 209, "createdAt": "2018-11-16T15:04:44Z", "updatedAt": "2020-10-11T11:10:10Z", - "listName": "PBDES", "shortDescription": "A list of all 209 polybrominated diphenyl ethers" }, { "id": 578, "type": "other", - "label": "CATEGORY: Polychlorinated biphenyl (PCB) collection", "visibility": "PUBLIC", + "label": "CATEGORY: Polychlorinated biphenyl (PCB) collection", "longDescription": "This is a list of all 209 polychlorinated biphenyl chemicals with associated CAS Numbers.", + "listName": "PCBCHEMICALS", "chemicalCount": 209, "createdAt": "2018-11-16T15:06:27Z", "updatedAt": "2020-10-11T10:38:22Z", - "listName": "PCBCHEMICALS", "shortDescription": "This is a list of all 209 polychlorinated biphenyl chemicals" }, { "id": 1245, "type": "other", - "label": "PEROXIDES: Class A - Severe Peroxide Hazard", "visibility": "PUBLIC", + "label": "PEROXIDES: Class A - Severe Peroxide Hazard", "longDescription": "Class A - Severe Peroxide Hazard from the Classification List of Peroxide Forming Chemicals. Class A chemicals spontaneously decompose and become explosive with exposure to air without concentration.", + "listName": "PEROXIDESA", "chemicalCount": 10, "createdAt": "2021-08-03T21:08:17Z", "updatedAt": "2021-08-03T21:08:56Z", - "listName": "PEROXIDESA", "shortDescription": "Class A - Severe Peroxide Hazard from the Classification List of Peroxide Forming Chemicals" }, { "id": 1246, "type": "other", - "label": "PEROXIDES: Class B - Concentration Hazard", "visibility": "PUBLIC", + "label": "PEROXIDES: Class B - Concentration Hazard", "longDescription": "Class B - Concentration Hazard from the Classification List of Peroxide Forming Chemicals. Class B chemicals require external energy for spontaneous decomposition. Form explosive peroxides when distilled, evaporated or otherwise concentrated.", + "listName": "PEROXIDESB", "chemicalCount": 54, "createdAt": "2021-08-03T21:11:00Z", "updatedAt": "2021-08-03T21:11:12Z", - "listName": "PEROXIDESB", "shortDescription": "Class B - Concentration Hazard from the Classification List of Peroxide Forming Chemicals" }, { "id": 1247, "type": "other", - "label": "PEROXIDES: Class C - Shock and Heat Sensitive", "visibility": "PUBLIC", + "label": "PEROXIDES: Class C - Shock and Heat Sensitive", "longDescription": "Class C - Shock and Heat Sensitive from the Classification List of Peroxide Forming Chemicals. Class C chemicals are highly reactive and can auto-polymerize as a result of internal peroxide accumulation. The peroxides formed in these reactions are extremely shock- and heat-sensitive.", + "listName": "PEROXIDESC", "chemicalCount": 11, "createdAt": "2021-08-03T21:13:25Z", "updatedAt": "2021-08-03T21:13:50Z", - "listName": "PEROXIDESC", "shortDescription": "Class C - Shock and Heat Sensitive from the Classification List of Peroxide Forming Chemicals" }, { "id": 1248, "type": "other", - "label": "PEROXIDES: Class D - Potential Peroxide Forming Chemicals", "visibility": "PUBLIC", + "label": "PEROXIDES: Class D - Potential Peroxide Forming Chemicals", "longDescription": "Class D - Potential Peroxide Forming Chemicals from the Classification List of Peroxide Forming Chemicals may form peroxides but cannot be clearly categorized in Class A, Class B, or Class C.", + "listName": "PEROXIDESD", "chemicalCount": 169, "createdAt": "2021-08-03T21:15:03Z", "updatedAt": "2024-01-15T10:23:37Z", - "listName": "PEROXIDESD", "shortDescription": "Class D - Potential Peroxide Forming Chemicals from the Classification List of Peroxide Forming Chemicals" }, { "id": 813, "type": "other", - "label": "PESTICIDES|EPA: List of Active Ingredients UPDATED 10/25/2019", "visibility": "PUBLIC", + "label": "PESTICIDES|EPA: List of Active Ingredients UPDATED 10/25/2019", "longDescription": "Active pesticide ingredients, as defined by EPA<\/a> are the chemicals in a pesticide product that act to control the pests. There are several categories of active ingredients:

\r\n\r\nConventional, which are all ingredients other than biological pesticides and antimicrobial pesticides.

\r\nAntimicrobial, which are substances or mixtures of substances used to destroy or suppress the growth of harmful microorganisms whether bacteria, viruses, or fungi on inanimate objects and surfaces.

\r\nBiopesticides, which are types of ingredients derived from certain natural materials.

\r\n\r\nThis list is maintained with every release.

\r\n\r\nA related list is the
List of Pesticide Inerts<\/a>.\r\n\r\n\r\n\r\n", + "listName": "PESTACTIVES", "chemicalCount": 510, "createdAt": "2019-11-17T23:26:01Z", "updatedAt": "2019-11-17T23:27:44Z", - "listName": "PESTACTIVES", "shortDescription": "List of active ingredients in pesticides UPDATED 10/25/2019" }, { "id": 814, "type": "other", - "label": "PESTICIDES|EPA: List of Inert Ingredients Food and Nonfood Use UPDATED 10/25/2019", "visibility": "PUBLIC", + "label": "PESTICIDES|EPA: List of Inert Ingredients Food and Nonfood Use UPDATED 10/25/2019", "longDescription": "Inert pesticide ingredients, Food and Nonfood use, as defined by EPA<\/a> are those inert ingredients approved for use in pesticide products applied to food that have either tolerances or tolerance exemptions in the Code of Federal Regulations (CFR), 40 CFR part 180 (the majority are found in sections 180.910 – 960), or where no residues are found in food.\r\n\r\nA related list is the List of Pesticide Actives<\/a>.\r\n\r\n\r\n", + "listName": "PESTINERTS", "chemicalCount": 1654, "createdAt": "2019-11-17T23:28:48Z", "updatedAt": "2022-07-25T12:45:39Z", - "listName": "PESTINERTS", "shortDescription": "List of Inert Ingredients Food and Nonfood Use UPDATED 10/25/2019" }, { "id": 1323, "type": "other", - "label": "PFAS: List of PFAS Chemicals with human biomonitoring data", "visibility": "PUBLIC", + "label": "PFAS: List of PFAS Chemicals with human biomonitoring data", "longDescription": "PFAS Chemicals with human biomonitoring data (levels in blood, urine, breast milk) from public sources. The data were gathered from over 40 public resources and assembled and curated into this list of chemicals. ", + "listName": "PFASBIOMON", "chemicalCount": 41, "createdAt": "2021-10-27T10:55:10Z", "updatedAt": "2021-10-27T12:46:31Z", - "listName": "PFASBIOMON", "shortDescription": "List of PFAS Chemicals with human biomonitoring data" }, { "id": 960, "type": "other", - "label": "PFAS|Buck et al. 2011 Suppl. Data", "visibility": "PUBLIC", + "label": "PFAS|Buck et al. 2011 Suppl. Data", "longDescription": "PFAS chemical list provided in Supplemental Data Table from Buck et al, 2011 publication (Perfluoroalkyl and polyfluoroalkyl substances in the environment: terminology, classification, and origins. Integrated environmental assessment and management, 7(4), 513-541.) available for download here<\/a>.\r\n\r\n\r\n", + "listName": "PFASBUCK2011", "chemicalCount": 270, "createdAt": "2020-07-29T13:54:46Z", "updatedAt": "2021-08-07T10:36:40Z", - "listName": "PFASBUCK2011", "shortDescription": "PFAS chemical list provided in Supplemental Data Table from Buck et al, 2011 publication" }, { "id": 2053, "type": "other", - "label": "PFAS|EPA PFAS chemicals without explicit structures", "visibility": "PUBLIC", + "label": "PFAS|EPA PFAS chemicals without explicit structures", "longDescription": "List of PFAS chemicals without explicit structures - polymers and other UVCB chemicals. The list was assembled by searching on the following substring list: Perfluoro, Polyfluoro, Fluoroethylene, Fluoropropylene, Fluorobutene, Fluoropolymer, \"Ethene, 1,1,2,2-tetrafluoro\" (the PTFE monomer unit), Chlorotrifluoroethylene, Difluoromethylene, Vinyl fluoride, Tetrafluoro, Pentafluoro, Hexafluoro, Heptafluoro, Octafluoro, Nonafluoro and Decafluoro and filtering out distinct chemical structures. This will retain Markush structure representations. This list remains under constant curation and expansion.

\r\n\r\nLast Updated (March 23rd 2024). For the versioned lists please use the hyperlinked lists below.

\r\n\r\n
PFASDEV3 - March 23rd 2024<\/a> This list

\r\n
PFASDEV2 - August 8th 2021<\/a>

\r\n
PFASDEV1 - September 16th 2020<\/a>

\r\n", + "listName": "PFASDEV", "chemicalCount": 1915, "createdAt": "2024-03-30T20:19:21Z", "updatedAt": "2024-03-30T20:20:39Z", - "listName": "PFASDEV", "shortDescription": "List of PFAS chemicals without explicit structures - polymers and other UVCB chemicals" }, { "id": 887, "type": "other", - "label": "PFAS|EPA PFAS chemicals without explicit structures v1", "visibility": "PUBLIC", + "label": "PFAS|EPA PFAS chemicals without explicit structures v1", "longDescription": "List of PFAS chemicals without explicit structures - polymers and other UVCB chemicals. The list was assembled by searching on the following substring list: Perfluoro, Polyfluoro, Fluoroethylene, Fluoropropylene, Fluorobutene, Fluoropolymer, \"Ethene, 1,1,2,2-tetrafluoro\" (the PTFE monomer unit), Chlorotrifluoroethylene, Difluoromethylene, Vinyl fluoride, Tetrafluoro, Pentafluoro, Hexafluoro, Heptafluoro, Octafluoro, Nonafluoro, Decafluoro, Dodecafluoro and filtering out chemical structures. This list remains under constant curation and expansion.

\r\n\r\nPlease note that curation may change the representation of a chemical in the list and, specifically, chemicals listed with no structure at some point in time may be enhanced with a structural representation.

\r\n\r\nLast Updated (September 16th 2020)", + "listName": "PFASDEV1", "chemicalCount": 1072, "createdAt": "2020-04-22T23:13:54Z", "updatedAt": "2023-02-27T14:27:11Z", - "listName": "PFASDEV1", "shortDescription": "List of PFAS chemicals without explicit structures - polymers and other UVCB chemicals" }, { "id": 1258, "type": "other", - "label": "PFAS|EPA PFAS chemicals without explicit structures v2", "visibility": "PUBLIC", + "label": "PFAS|EPA PFAS chemicals without explicit structures v2", "longDescription": "List of PFAS chemicals without explicit structures - polymers and other UVCB chemicals. The list was assembled by searching on the following substring list: Perfluoro, Polyfluoro, Fluoroethylene, Fluoropropylene, Fluorobutene, Fluoropolymer, \"Ethene, 1,1,2,2-tetrafluoro\" (the PTFE monomer unit), Chlorotrifluoroethylene, Difluoromethylene, Vinyl fluoride, Tetrafluoro, Pentafluoro, Hexafluoro, Heptafluoro, Octafluoro, Nonafluoro and Decafluoro and filtering out distinct chemical structures. This will retain Markush structure representations. This list remains under constant curation and expansion.

\r\n\r\nPlease note that curation may change the representation of a chemical in the list and, specifically, chemicals listed with no structure at some point in time may be enhanced with a structural representation.

\r\n\r\nLast Updated (August 8th 2021)", + "listName": "PFASDEV2", "chemicalCount": 1263, "createdAt": "2021-08-08T12:15:38Z", "updatedAt": "2023-02-27T14:27:28Z", - "listName": "PFASDEV2", "shortDescription": "List of PFAS chemicals without explicit structures - polymers and other UVCB chemicals" }, { "id": 2052, "type": "other", - "label": "PFAS|EPA PFAS chemicals without explicit structures v3", "visibility": "PUBLIC", + "label": "PFAS|EPA PFAS chemicals without explicit structures v3", "longDescription": "List of PFAS chemicals without explicit structures - polymers and other UVCB chemicals. The list was assembled by searching on the following substring list: Perfluoro, Polyfluoro, Fluoroethylene, Fluoropropylene, Fluorobutene, Fluoropolymer, \"Ethene, 1,1,2,2-tetrafluoro\" (the PTFE monomer unit), Chlorotrifluoroethylene, Difluoromethylene, Vinyl fluoride, Tetrafluoro, Pentafluoro, Hexafluoro, Heptafluoro, Octafluoro, Nonafluoro and Decafluoro and filtering out distinct chemical structures. This will retain Markush structure representations. This list remains under constant curation and expansion.

\r\n\r\nPlease note that curation may change the representation of a chemical in the list and, specifically, chemicals listed with no structure at some point in time may be enhanced with a structural representation.

\r\n\r\n(Last Updated March 23rd 2024)", + "listName": "PFASDEV3", "chemicalCount": 1915, "createdAt": "2024-03-30T20:09:33Z", "updatedAt": "2024-03-30T20:10:08Z", - "listName": "PFASDEV3", "shortDescription": "List of PFAS chemicals without explicit structures - polymers and other UVCB chemicals (Last Updated March 23rd 2024)" }, { "id": 1223, "type": "other", - "label": "PFAS|NORMAN: Overview of PFAS Uses from Glüge et al (2020)", "visibility": "PUBLIC", + "label": "PFAS|NORMAN: Overview of PFAS Uses from Glüge et al (2020)", "longDescription": "An overview of the uses of per- and polyfluoroalkyl substances (PFAS) from Glüge et al (2020) DOI:
10.1039/D0EM00291G<\/a> and hosted on the NORMAN Suspect List Exchange (https://www.norman-network.com/nds/SLE/<\/a>). Dataset DOI: 10.5281/zenodo.5029173<\/a>.", + "listName": "PFASGLUEGE", "chemicalCount": 595, "createdAt": "2021-07-15T21:12:05Z", "updatedAt": "2021-07-15T21:30:01Z", - "listName": "PFASGLUEGE", "shortDescription": "An overview of the uses of per- and polyfluoroalkyl substances (PFAS) " }, { "id": 881, "type": "other", - "label": "PFAS|EPA: List of chemicals tested in in vitro methods 2019-2020", "visibility": "PUBLIC", + "label": "PFAS|EPA: List of chemicals tested in in vitro methods 2019-2020", "longDescription": "PFAS chemicals tested in in vitro methods by the EPA and National Toxicology researchers. This list includes the PFAS lists of 75 Set 1 and Set 2 as well as an additional 34 chemicals.", + "listName": "PFASINVITRO", "chemicalCount": 182, "createdAt": "2020-04-21T19:53:58Z", "updatedAt": "2020-04-21T19:54:22Z", - "listName": "PFASINVITRO", "shortDescription": "PFAS chemicals tested in in vitro methods by the EPA and National Toxicology researchers." }, { "id": 827, "type": "other", - "label": "PFAS: Collection of GC-MS and LC-MS standards: Food Contact Materials", "visibility": "PUBLIC", + "label": "PFAS: Collection of GC-MS and LC-MS standards: Food Contact Materials", "longDescription": "List of PFAS standards reported in the article \"The Determination of Trace Per- and Polyfluoroalkyl Substances and Their Precursors Migrated into Food Simulants from Food Contact Materials by LC–MS/MS and GC–MS/MS\" by Li at al regarding food contact materials. It should be noted that multiple edits had to be made to the names and mapped CASRNs in order to create this list. (Link to Article<\/a>)\r\n", + "listName": "PFASLCMSGCMS", "chemicalCount": 38, "createdAt": "2020-01-10T10:18:42Z", "updatedAt": "2020-01-11T23:33:39Z", - "listName": "PFASLCMSGCMS", "shortDescription": "List of PFAS standards reported in an article regarding food contact materials." }, { "id": 1639, "type": "other", - "label": "PFAS: Chemicals in the MassBank Database", "visibility": "PUBLIC", + "label": "PFAS: Chemicals in the MassBank Database", "longDescription": "List of PFAS chemicals in the MassBank (https://massbank.eu/MassBank/) database (Updated 10/29/2022)", + "listName": "PFASMASSBANK", "chemicalCount": 76, "createdAt": "2022-10-29T23:46:04Z", "updatedAt": "2022-10-30T00:33:18Z", - "listName": "PFASMASSBANK", "shortDescription": "List of PFAS chemicals in the MassBank database (Updated 10/29/2022)" }, { "id": 1263, "type": "other", - "label": "PFAS Master List of PFAS Substances (RETIRED)", "visibility": "PUBLIC", + "label": "PFAS Master List of PFAS Substances (RETIRED)", "longDescription": "THIS LIST HAS BEEN RETIRED IN FAVOR OF TWO SEPARATE LISTS - PFASSTRUCT<\/a> (EXPLICIT STRUCTURES) AND PFASDEV<\/a> (UVCB CHEMICALS)\r\n\r\n************RETIRED***********\r\nPFASMASTER is a consolidated list of PFAS substances spanning and bounded by the below lists of current interest to researchers and regulators worldwide. For all available lists on the dashboard view these search results<\/a>.
\r\n\r\nPer- and polyfluorinated alkyl substances (PFAS) represent a growing, increasingly diverse inventory of chemicals of interest to the general public, scientific researchers, and regulatory agencies world-wide. Accompanying data-gathering, testing, and environmental monitoring exercises, in turn, have led to the publication and sharing of various lists of PFAS chemicals, some exceeding several thousand substances. A major effort was undertaken by EPA researchers within the National Center for Computational Toxicology to curate and structure-annotate several public lists in DSSTox. The below list of registered PFAS lists, from within and outside EPA, encompass PFAS of potential interest based on environmental occurrence (through literature reports and analytical detection) and manufacturing process data, as well as lists of PFAS chemicals procured for testing within EPA research programs. The consolidated list contains a number of PFAS CAS-name substances, with a subset represented with defined chemical structures. There is no precisely clear definition of what constitutes a PFAS substance given the inclusion of partially fluorinated substances, polymers, and ill-defined reaction products on these various lists. Hence, PFASMASTER serves as a consolidated list of substances spanning and bounded by the below lists, defining a practical boundary of PFAS chemical space (within DSSTox) of current interest to researchers and regulators worldwide. This PFAS Master List will continue to expand as component lists grow. (Last Updated: August 10th 2021)\r\n
<\/option>
\r\n
https://comptox.epa.gov/dashboard/chemical_lists/EPAPFASRL<\/a> is an EPA research list of PFAS compiled from various internal, literature and public sources.\r\n

\r\n
https://comptox.epa.gov/dashboard/chemical_lists/EPAPFASINV<\/a> is a complete list of DMSO-solubilized PFAS in EPA's ToxCast inventory.\r\n

\r\n
https://comptox.epa.gov/dashboard/chemical_lists/EPAPFAS75S1<\/a> list is a prioritized subset of this larger chemical inventory. \r\n

\r\n
https://comptox.epa.gov/dashboard/chemical_lists/EPAPFASINSOL<\/a> is a list of chemicals procured, but found to be insoluble in DMSO above 5mM. \r\n

\r\n
https://comptox.epa.gov/dashboard/chemical_lists/PFASOECD<\/a> is a list of PFAS chemicals in the OECD New Comprehensive Global Database. \r\n

\r\n
https://comptox.epa.gov/dashboard/chemical_lists/PFASKEMI<\/a> is a list of PFAS chemicals from a KEMI Swedish Chemicals Agency Report (provided by Stellan Fischer). \r\n

\r\n
https://comptox.epa.gov/dashboard/chemical_lists/PFASTRIER<\/a> is a list of PFAS compiled by a community effort in 2015.\r\n

https://comptox.epa.gov/dashboard/chemical_lists/EPAPFASCAT<\/a> is a list of structure-based Markush PFAS categories (capabilities under development). \r\n

https://comptox.epa.gov/dashboard/chemical_lists/PFASSTRUCT<\/a> is a list of all PFAS structures containing a specific defined substructures.
\r\n

https://comptox.epa.gov/dashboard/chemical_lists/PFASDEV1<\/a> is a list of PFAS chemicals without explicit structures - polymers and other UVCB chemicals.
\r\n\r\n************RETIRED***********\r\n\r\n", + "listName": "PFASMASTER", "chemicalCount": 12039, "createdAt": "2021-08-10T20:16:30Z", "updatedAt": "2023-02-27T14:23:56Z", - "listName": "PFASMASTER", "shortDescription": "PFASMASTER HAS BEEN RETIRED - see details in the list description" }, { "id": 955, "type": "other", - "label": "PFAS: V2 PFAS Master List of PFAS Substances ", "visibility": "PUBLIC", + "label": "PFAS: V2 PFAS Master List of PFAS Substances ", "longDescription": "PFASMASTER v2 is a consolidated list of PFAS substances representing the combined, deduplicated list of chemicals released with a particular version of the dashboard. This list represents the combined lists below as of July 17th 2020. \r\n\r\nLIST_ACRONYM\tLAST_UPDATED\t#CHEMICALS\tLIST_DESCRIPTION\r\nEPAPFAS75S1\t2018-06-29\t74\t\tPFAS list corresponds to 75 samples (Set 1) submitted for initial testing screens conducted by EPA researchers in collaboration with researchers at the National Toxicology Program.\r\nEPAPFAS75S2\t2019-02-21\t75\t\tPFAS list corresponds to a second set of 75 samples (Set 2) submitted for testing screens conducted by EPA researchers in collaboration with researchers at the National Toxicology Program.\r\nEPAPFASCAT\t2020-06-02\t112\t\tList of registered DSSTox “category substances” representing PFAS categories created using ChemAxon’s Markush structure-based query representations.\r\nEPAPFASDW\t2019-11-16\t26\t\tEPA is developing and validating a new method for detecting these PFAS in drinking water sources. \r\nEPAPFASDW537\t2019-11-16\t19\t\tEPA has recently revised method 537.1 for the PFAS on this list to detect them in drinking water. \r\nEPAPFASDWTREAT\t2019-11-16\t9\t\tEPA is gathering and evaluating treatment effectiveness and cost data for removing these PFAS from drinking water systems.\r\nEPAPFASINSOL\t2018-06-29\t43\t\tPFAS chemicals included in EPA’s expanded ToxCast chemical inventory found to be insoluble in DMSO above 5mM.\r\nEPAPFASINV\t2018-06-29\t430\t\tPFAS chemicals included in EPA’s expanded ToxCast chemical inventory and available for testing.\r\nEPAPFASINVIVO\t2019-11-16\t23\t\tThese PFAS have published animal toxicity studies available in the online HERO database.\r\nEPAPFASLITSEARCH\t2019-11-16\t23\tA literature review of published toxicity studies for these PFAS\r\nEPAPFASNONDW\t2019-11-16\t24\t\tEPA is developing and validating a new method for detecting these PFAS in non-drinking water sources. \r\nEPAPFASRESEARCH\t2019-11-16\t165\t\tThe list of PFAS EPA is currently researching using various scientific approaches. \r\nEPAPFASRL\t2017-11-16\t199\t\tEPAPFASRL is a manually curated listing of mainly straight-chain and branched PFAS (Per- & Poly-fluorinated alkyl substances) compiled from various internal, literature and public sources by EPA researchers and program office representatives.\r\nEPAPFASTOX\t2019-11-16\t9\t\tEPA is in the process of developing toxicity assessments for the PFAS on this list. \r\nEPAPFASVALDW\t2020-06-01\t31\t\tList of PFAS for which a Standard Drinking Water method (537.1 or 533) exists \r\nPFASDEV1\t2020-07-16\t1072\t\tList of PFAS chemicals without explicit structures - polymers and other UVCB chemicals\r\nPFASINVITRO\t2020-04-21\t182\t\tPFAS chemicals tested in in vitro methods by the EPA and National Toxicology researchers.\r\nPFASKEMI\t2017-02-09\t2416\t\tPerfluorinated substances from a Swedish Chemicals Agency (KEMI) Report on the occurrence and use of highly fluorinated substances.\r\nPFASLCMSGCMS\t2020-01-10\t38\t\tList of PFAS standards reported in an article regarding food contact materials.\r\nPFASMASTER\t2018-06-29\t5070\t\tPFASMASTER is a consolidated list of PFAS substances spanning and bounded by the below lists of current interest to researchers and regulators worldwide.\r\nPFASNORDIC\t2020-01-31\t386\t\tList of PFAS cited in the Nordic Working Paper on Per- and polyfluoroalkylether substances:identity, production and use (2020)\r\nPFASNTREV19\t2019-11-16\t127\t\tList of PFAS substances detected in non-target HRMS reviewed by Liu et al 2019\r\nPFASOECD\t2018-05-16\t4729\t\tOECD released a New Comprehensive Global Database of Per- and Polyfluoroalkyl Substances, (PFASs) listing more than 4700 new PFAS\r\nPFASOECDNA\t2019-05-03\t3213\t\tList of PFAS released by the OECD, provided by Zhanyun Wang, curated and mapped to structures by Nikiforos Alygizakis\r\nPFASSTRUCT\t2019-11-16\t6648\t\tList of all structures contained in DSSTox bounded by a substructure filter used to identify PFAS (per- and polyfluorinated substances)\r\nPFASTRI\t\t2020-02-21\t172\t\tThe National Defense Authorization Act (2020) added 160 PFAS chemicals to the Toxics Release Inventory (TRI)\r\nPFASTRIER\t2017-07-16\t597\t\tPFASTRIER community-compiled public listing of PFAS (Trier et al, 2015)\r\n", + "listName": "PFASMASTERLISTV2", "chemicalCount": 7993, "createdAt": "2020-07-17T08:23:21Z", "updatedAt": "2020-07-17T08:25:59Z", - "listName": "PFASMASTERLISTV2", "shortDescription": "PFASMASTER v2 is a consolidated list of PFAS substances as of July 17th 2020. " }, { "id": 1640, "type": "other", - "label": "PFAS: Chemicals in the MassBank of North America Database", "visibility": "PUBLIC", + "label": "PFAS: Chemicals in the MassBank of North America Database", "longDescription": "MoNA is the MassBank or North America which contains 100s of thousands of spectra and tens of thousands of chemicals. A list of PFAS chemicals were extracted from the database using the PFASSTRUCTV5 substructural definitions. (Updated 10/29/2022)", + "listName": "PFASMONA", "chemicalCount": 118, "createdAt": "2022-10-30T00:11:05Z", "updatedAt": "2022-10-30T00:33:05Z", - "listName": "PFASMONA", "shortDescription": "List of PFAS chemicals in the MassBank of North America (MoNA) database" }, { "id": 782, "type": "other", - "label": "PFAS: PFAS in Non-Target HRMS Studies (Liu et al 2019)", "visibility": "PUBLIC", + "label": "PFAS: PFAS in Non-Target HRMS Studies (Liu et al 2019)", "longDescription": "List of PFAS substances detected in non-target HRMS reviewed by Liu et al 2019,
DOI: 10.1016/j.trac.2019.02.021<\/a>. This list is the subset of the 1031 PFAS reported that are already registered in the CompTox Chemicals Dashboard; registration and extension of the list is ongoing. A full MS-ready list with more extensive details for HRMS studies is available on the NORMAN Suspect List Exchange at https://www.norman-network.com/?q=node/236<\/a> prepared by Yanna Liu, Lisa D’Agostino, Emma Schymanski and Jon Martin. ", + "listName": "PFASNTREV19", "chemicalCount": 127, "createdAt": "2019-11-16T13:28:55Z", "updatedAt": "2019-11-16T13:29:18Z", - "listName": "PFASNTREV19", "shortDescription": "List of PFAS substances detected in non-target HRMS reviewed by Liu et al 2019" }, { "id": 661, "type": "other", - "label": "NORMAN: List of PFAS from the OECD Curated by Nikiforos Alygizakis", "visibility": "PUBLIC", + "label": "NORMAN: List of PFAS from the OECD Curated by Nikiforos Alygizakis", "longDescription": "List of PFAS released by the OECD, provided by Zhanyun Wang, curated and mapped to structures by Nikiforos Alygizakis, EI/Uni Athens for Life Apex<\/a> and the NORMAN Suspect List Exchange<\/a>. Further details in this OECD Monograph<\/a>.\r\n\r\n", + "listName": "PFASOECDNA", "chemicalCount": 3213, "createdAt": "2019-05-03T23:17:30Z", "updatedAt": "2019-05-03T23:21:34Z", - "listName": "PFASOECDNA", "shortDescription": "List of PFAS released by the OECD, provided by Zhanyun Wang, curated and mapped to structures by Nikiforos Alygizakis" }, { "id": 1604, "type": "other", - "label": "Navigation Panel to PFAS Structure Lists", "visibility": "PUBLIC", + "label": "Navigation Panel to PFAS Structure Lists", "longDescription": "PFAS Structure lists are versioned iteratively and this description navigates between the various versions of the structure lists. The list of structures displayed below represents the latest iteration of structures (PFASSTRUCTV5 - August 2022). For the versioned lists please use the hyperlinked lists below.

A separate list (
PFASDEV<\/a>) manages PFAS chemicals which do not have explicit chemical structures (i.e., polymers, mixtures and categories).

\r\n\r\n
PFASSTRUCTV5 - August 2022<\/a> This list

\r\n
PFASSTRUCTV4 - August 2021<\/a>

\r\n
PFASSTRUCTV3 - August 2020<\/a>

\r\n
PFASSTRUCTV2 - November 2019<\/a>

\r\n
PFASSTRUCTV1 - March 2018<\/a>

\r\n\r\n\r\n", + "listName": "PFASSTRUCT", "chemicalCount": 14735, "createdAt": "2022-08-18T17:13:27Z", "updatedAt": "2023-09-26T12:57:53Z", - "listName": "PFASSTRUCT", "shortDescription": "PFAS Structure lists are versioned iteratively and this panel navigates between the various versions" }, { "id": 717, "type": "other", - "label": "PFAS|EPA: PFAS structures in DSSTox (update March 2018)", "visibility": "PUBLIC", + "label": "PFAS|EPA: PFAS structures in DSSTox (update March 2018)", "longDescription": "List consists of all DTXSID records with a structure assigned, and where the structure satisfies a set of filter conditions that are designed to broadly identify PFAS (per- and polyfluorinated substances). The filter conditions listed below are designed to be simple, reproducible and transparent, yet general enough to encompass the largest set of structures having sufficient levels of fluorination to potentially impart PFAS-type properties. Some structures contained in other published DSSTox PFAS lists (e.g., PFASOECD) will not satisfy these criteria (e.g., chemicals with large organic moieties and small fluoroethyl side chains), and over 1000 structures from the larger DSSTox inventory are included that have not previously been assigned to a published “PFAS” list. 1) Formula must contain 4 -1000 Fluorine atoms; 2) Structure must contain two adjacent CF2 groups, either in a chain or in a ring system; 3) Fluorine to Carbon ratio (#F/#C) = or > 0.5; 4) Remove Markush structures, charged species (e.g., anions), radicals, and deuterium- and C13-labeled chemicals (LIST DEFINITION AS OF March 2018).", + "listName": "PFASSTRUCTV1", "chemicalCount": 4357, "createdAt": "2019-09-16T12:57:43Z", "updatedAt": "2022-02-15T09:31:40Z", - "listName": "PFASSTRUCTV1", "shortDescription": "List of all structures contained in DSSTox bounded by a set of structure filters used to identify PFAS (per- and polyfluorinated substances): LIST DEFINITION AS OF March 2018 " }, { "id": 1162, "type": "other", - "label": "PFAS|EPA: PFAS structures in DSSTox (update August 2020)", "visibility": "PUBLIC", + "label": "PFAS|EPA: PFAS structures in DSSTox (update August 2020)", "longDescription": "List consists of all DTXSID records with a structure assigned, and using a set of substructural filters based on community input. The substructural filters (
visible here<\/a>) are designed to be simple, reproducible and transparent, yet general enough to encompass the largest set of structures having sufficient levels of fluorination to potentially impart PFAS-type properties.", + "listName": "PFASSTRUCTV3", "chemicalCount": 8163, "createdAt": "2021-05-06T09:21:33Z", "updatedAt": "2022-02-15T09:32:12Z", - "listName": "PFASSTRUCTV3", "shortDescription": "List of all structures contained in DSSTox bounded by multiple substructure filters used to identify PFAS (per- and polyfluorinated substances): August 2020 update" }, { "id": 1340, "type": "other", - "label": "PFAS:PFAS-Tox Database", "visibility": "PUBLIC", + "label": "PFAS:PFAS-Tox Database", "longDescription": "The PFAS-Tox Database is an online, interactive database for easily accessing the health and toxicological peer reviewed literature for 29 PFAS (which expands to a larger list of chemicals when considering salts etc). The database was built using systematic evidence mapping methodology. More details can be found at: https://osf.io/f9upx/<\/a>", + "listName": "PFASTOXDB", "chemicalCount": 44, "createdAt": "2021-12-04T19:34:51Z", "updatedAt": "2021-12-04T19:46:02Z", - "listName": "PFASTOXDB", "shortDescription": "The PFAS-Tox Database is an online, interactive database for easily accessing the health and toxicological peer reviewed literature for PFAS" }, { "id": 394, "type": "other", - "label": "PFAS|NORMAN: PFAS Community-Compiled List (Trier et al., 2015)", "visibility": "PUBLIC", + "label": "PFAS|NORMAN: PFAS Community-Compiled List (Trier et al., 2015)", "longDescription": "PFASTRIER is an international community-compiled public listing of PFAS, kindly provided by Xenia Trier, David Lunderberg, Graham Peaslee, Zhanyun Wang and colleagues. Structural curation was carried out by EPA's Dashboard team. Original details are given on the NORMAN Suspect List Exchange<\/a>. This PFAS list was compiled in 2015, but is undergoing further curation and extension.", + "listName": "PFASTRIER", "chemicalCount": 597, "createdAt": "2017-07-16T07:35:11Z", "updatedAt": "2019-06-13T09:06:44Z", - "listName": "PFASTRIER", "shortDescription": "PFASTRIER community-compiled public listing of PFAS (Trier et al, 2015)" }, { "id": 1709, "type": "other", - "label": "PFAS: PFAS in the Toxics Release Inventory (TRI) Program by the National Defense Authorization Act (Version 2)", "visibility": "PUBLIC", + "label": "PFAS: PFAS in the Toxics Release Inventory (TRI) Program by the National Defense Authorization Act (Version 2)", "longDescription": "Section 7321 of the National Defense Authorization Act for Fiscal Year 2020 (P.L. 116-92) (NDAA) added certain Per- and Polyfluoroalkyl Substances (PFAS) to the TRI list of reportable chemicals<\/a>. The chemicals listed here are reportable to the Toxics Release Inventory (TRI). (Last updated: February 22nd, 2023)\r\n\r\n", + "listName": "PFASTRIV2", "chemicalCount": 189, "createdAt": "2023-02-22T09:56:01Z", "updatedAt": "2023-09-23T11:44:37Z", - "listName": "PFASTRIV2", "shortDescription": "The National Defense Authorization Act (2020) added PFAS chemicals to the Toxics Release Inventory (TRI)" }, { "id": 2085, "type": "other", - "label": "PFOS and PFOA, and their salts and structural isomers", "visibility": "PUBLIC", + "label": "PFOS and PFOA, and their salts and structural isomers", "longDescription": "Perfluorooctanesulfonic acid (PFOS), Perfluorooctanoic acid (PFOA), and their salts and structural isomers designated as hazardous substances<\/a> pursuant to the Comprehensive Environmental Response, Compensation, and Liability Act (“CERCLA” or “Superfund”) [EPA-HQ-OLEM-2019-0341; FRL-7204-03-OLEM]. This list also includes ions as they have their own CASRN.\r\n\r\nNote that the list could change as the chemicals included on the CompTox Chemicals Dashboard are expanded or otherwise as modified. Such changes will be noted and curated in a transparent manner.\r\n\r\n(First Published 4/30/2024)\r\n", + "listName": "PFOAPFOSCERCLAV1", "chemicalCount": 98, "createdAt": "2024-04-29T12:10:12Z", "updatedAt": "2024-05-01T10:27:13Z", - "listName": "PFOAPFOSCERCLAV1", "shortDescription": "List of Perfluorooctanesulfonic acid (PFOS), Perfluorooctanoic acid (PFOA), and their salts and structural isomers designated as hazardous substances pursuant to \"CERCLA” or “Superfund”" }, { "id": 645, "type": "other", - "label": "NORMAN: Phenolic Antioxidants from KEMI and NILU", "visibility": "PUBLIC", + "label": "NORMAN: Phenolic Antioxidants from KEMI and NILU", "longDescription": "A list of possible phenolic antioxidants with exposure scores compiled by Stellan Fischer (KEMI) and Pawel Rostkowski (NILU). Mapped to CompTox information using CAS numbers. Original file on the NORMAN Suspect List Exchange<\/a>.", + "listName": "PHENANTIOX", "chemicalCount": 209, "createdAt": "2019-04-28T16:01:00Z", "updatedAt": "2019-05-03T14:05:46Z", - "listName": "PHENANTIOX", "shortDescription": "List of possible phenolic antioxidants" }, { "id": 1299, "type": "other", - "label": "LIST: List of chemicals from the Phenol Explorer", "visibility": "PUBLIC", + "label": "LIST: List of chemicals from the Phenol Explorer", "longDescription": "Phenol-Explorer is a database regarding polyphenol content in foods. The database contains more than 35,000 content values for 500 different polyphenols in over 400 foods. These data are derived from the systematic collection of more than 60,000 original content values found in more than 1,300 scientific publications. Each of these publications has been critically evaluated before inclusion in the database. The whole data on the polyphenol composition of foods is available for download.", + "listName": "PHENOLEXP", "chemicalCount": 437, "createdAt": "2021-09-24T14:00:50Z", "updatedAt": "2022-02-21T17:56:37Z", - "listName": "PHENOLEXP", "shortDescription": "A list of polyphenol chemicals in food" }, { "id": 1515, "type": "other", - "label": "Pherobase Database of Pheromones and Semiochemicals ", "visibility": "PUBLIC", + "label": "Pherobase Database of Pheromones and Semiochemicals ", "longDescription": "The Pherobase is a database of pheromones and semiochemicals. Semiochemicals are signaling chemicals that organisms can detect in its environment, which may modify its behaviour or its physiology. Semiochemicals are classified into two main categories: Pheromones and allelochemics", + "listName": "PHEROBASE", "chemicalCount": 3434, "createdAt": "2022-06-13T14:54:33Z", "updatedAt": "2023-08-16T00:56:33Z", - "listName": "PHEROBASE", "shortDescription": "The Pherobase is a database of pheromones and semiochemicals. " }, { "id": 642, "type": "other", - "label": "NORMAN: Toxic Plant Phytotoxin (TPPT) Database", "visibility": "PUBLIC", + "label": "NORMAN: Toxic Plant Phytotoxin (TPPT) Database", "longDescription": "A comprehensive toxic plant-phytotoxin (TPPT) database provided by Günthardt et al 2018, DOI: 10.1021/acs.jafc.8b01639<\/a> More information on the Agroscope TPPT website<\/a>. Sourced from the NORMAN Suspect List Exchange<\/a>.", + "listName": "PHYTOTOXINS", "chemicalCount": 561, "createdAt": "2019-04-28T10:54:00Z", "updatedAt": "2019-04-28T10:54:37Z", - "listName": "PHYTOTOXINS", "shortDescription": "A comprehensive toxic plant-phytotoxin (TPPT) database provided by Günthardt et al 2018, DOI: 10.1021/acs.jafc.8b01639<\/a>" }, { "id": 1254, "type": "other", - "label": "PLASTICMAP: chemicals related to polymers", "visibility": "PUBLIC", + "label": "PLASTICMAP: chemicals related to polymers", "longDescription": "List of chemicals related to polymers from the publication \"Deep Dive into Plastic Monomers, Additives, and Processing Aids<\/a>\". Substances included can potentially be used as plastic monomers, additives and processing aids.\r\n", + "listName": "PLASTICMAP", "chemicalCount": 10547, "createdAt": "2021-08-05T15:10:46Z", "updatedAt": "2022-11-01T09:53:32Z", - "listName": "PLASTICMAP", "shortDescription": "List of chemicals related to polymers from the publication \"Deep Dive into Plastic Monomers, Additives, and Processing Aids\" " }, { "id": 1501, "type": "other", - "label": "BIOFLUIDS: List of Polyphenols detected in human biofluids", "visibility": "PUBLIC", + "label": "BIOFLUIDS: List of Polyphenols detected in human biofluids", "longDescription": "List of polyphenols in human biofluids reported in the publication Quantifying up to 90 polyphenols simultaneously in human bio-fluids by LC-MS/MS<\/a>", + "listName": "POLYPHENOLS", "chemicalCount": 91, "createdAt": "2022-05-28T07:52:31Z", "updatedAt": "2022-06-27T21:49:14Z", - "listName": "POLYPHENOLS", "shortDescription": "List of polyphenols in human biofluids" }, { "id": 843, "type": "other", - "label": "PPDB: Pesticide Properties DataBase", "visibility": "PUBLIC", + "label": "PPDB: Pesticide Properties DataBase", "longDescription": "The PPDB is a comprehensive relational database of pesticide chemical identity, physicochemical, human health and ecotoxicological data. It was developed by the Agriculture & Environment Research Unit (AERU) at the University of Hertfordshire to support risk assessments and risk management.", + "listName": "PPDB", "chemicalCount": 1520, "createdAt": "2020-02-04T13:03:01Z", "updatedAt": "2020-04-23T17:57:13Z", - "listName": "PPDB", "shortDescription": "The PPDB is a comprehensive relational database of pesticide chemical identity, physicochemical, human health and ecotoxicological data developed by the Agriculture & Environment Research Unit (AERU) at the University of Hertfordshire." }, { "id": 1848, "type": "other", - "label": "LIST: Chemicals with PPRTV and Appendix Values", "visibility": "PUBLIC", + "label": "LIST: Chemicals with PPRTV and Appendix Values", "longDescription": "PPRTVs are developed for use in the EPA Superfund Program. Requests to try and derive a PPRTV are generally filtered through the EPA Regional Superfund Program, in which the site subject to the request is located. However, Regions typically request PPRTVs regardless of what party is considered the lead agency or is funding response actions on the (Superfund) site, including Fund-lead sites, potential responsible party (PRP) lead sites, State-lead sites, and sites where other Federal agencies may be identified as the lead agency. This list was developed by downloading the list of chemicals from the PPRTV website<\/a> and manually curating the list of chemicals to include those with either a final PPRTV (as seen on the main chemical page) or an appendix value from the PPRTV pdf document. Some chemicals on the PPRTV web site list are not included here because no PPRTV or appendix values were developed. The main reasons for a missing value are (1) there is already an IRIS value or one provided by Office or Pesticide Programs, referred to on the web site, or (2) neither a PPRTV nor an appendix value could be created because of lack of sufficient information \r\n\r\n\r\n\r\n", + "listName": "PPRTVVALS", "chemicalCount": 322, "createdAt": "2023-04-19T12:04:07Z", "updatedAt": "2023-04-19T12:56:34Z", - "listName": "PPRTVVALS", "shortDescription": "Chemical list with either a Provisional Peer-Reviewed Toxicity Value or an appendix value manually curated from the PPRTV pdf document." }, { "id": 1471, "type": "other", - "label": "Chemicals in Produced Water", "visibility": "PUBLIC", + "label": "Chemicals in Produced Water", "longDescription": "List of chemicals identified as being present in hydraulic fracturing produced water. The chemicals were reported in the paper by Danforth et al entitled \"An integrative method for identification and prioritization of constituents of concern in produced water from onshore oil and gas extraction<\/a>\" ", + "listName": "PRODWATER", "chemicalCount": 1197, "createdAt": "2022-05-20T17:15:15Z", "updatedAt": "2022-05-23T11:58:13Z", - "listName": "PRODWATER", "shortDescription": "List of chemicals identified as being present in hydraulic fracturing produced water" }, { "id": 1346, "type": "other", - "label": "NORMAN|List of PFAS Compiled from NORMAN-SusDat", "visibility": "PUBLIC", + "label": "NORMAN|List of PFAS Compiled from NORMAN-SusDat", "longDescription": "A compiled list of PFAS occurring in NORMAN SusDat, created by merging SLE lists S9, S14, S25, S46, and S80 and searching for additional fluorinated content in SusDat. Provided by Kelsey Ng, EI (manuscript in prep.).\r\nDataset DOI: 10.5281/zenodo.5769582<\/a>. Data hosted on the NORMAN Suspect List Exchange<\/a>.\r\n", + "listName": "PRORISKPFAS", "chemicalCount": 3372, "createdAt": "2021-12-11T11:28:53Z", "updatedAt": "2022-02-01T13:55:55Z", - "listName": "PRORISKPFAS", "shortDescription": "List of PFAS occurring in the NORMAN Suspect List Exchange" }, { "id": 586, "type": "other", - "label": "LIST: Synthetic cannabinoids and psychoactive compounds", "visibility": "PUBLIC", + "label": "LIST: Synthetic cannabinoids and psychoactive compounds", "longDescription": "A psychoactive drug, psychopharmaceutical, or psychotropic is a chemical substance that changes brain function and results in alterations in perception, mood, consciousness, cognition, or behavior. Synthetic cannabinoids are a class of molecules that bind to cannabinoid receptors in the body (the same receptors to which THC and CBD attach, which are cannabinoids in cannabis plants). Synthetic cannabinoids are also designer drugs that are often sprayed onto plant matter. This combined list is assembled from Wikipedia, public databases, and scientific literature. It remains under constant development and will update with every release of the dashboard.", + "listName": "PSYCHOCANNAB", "chemicalCount": 531, "createdAt": "2018-11-18T20:49:44Z", "updatedAt": "2018-11-18T20:55:55Z", - "listName": "PSYCHOCANNAB", "shortDescription": "List of synthetic cannabinoids and psychoactive compounds assembled from public resources." }, { "id": 763, "type": "other", - "label": "CATEGORY: Pyrethroids", "visibility": "PUBLIC", + "label": "CATEGORY: Pyrethroids", "longDescription": "A pyrethroid is an organic compound similar to the natural pyrethrins produced by the flowers of pyrethrums (Chrysanthemum cinerariaefolium and C. coccineum). Pyrethroids constitute the majority of commercial household insecticides.", + "listName": "PYRETHROIDS", "chemicalCount": 25, "createdAt": "2019-11-16T09:20:26Z", "updatedAt": "2020-10-11T11:05:04Z", - "listName": "PYRETHROIDS", "shortDescription": "A pyrethroid is an organic compound similar to the natural pyrethrins produced by the flowers of pyrethrums" }, { "id": 916, "type": "other", - "label": "EPA|LIST: Article \"Workflow for Defining Reference Chemicals for Assessing Performance of In Vitro Assays\"", "visibility": "PUBLIC", + "label": "EPA|LIST: Article \"Workflow for Defining Reference Chemicals for Assessing Performance of In Vitro Assays\"", "longDescription": "The article \"Workflow for Defining Reference Chemicals for Assessing Performance of In Vitro Assays\"<\/a> describes a semi-automated process for selecting and annotating reference chemicals, compounds with defined activity against the test system target, across many targets in a standardized form.", + "listName": "REFCHEMDB", "chemicalCount": 31119, "createdAt": "2020-05-05T10:05:07Z", "updatedAt": "2020-05-05T10:47:10Z", - "listName": "REFCHEMDB", "shortDescription": "List of chemicals associated with the article \"Workflow for Defining Reference Chemicals for Assessing Performance of In Vitro Assays\"" }, { "id": 740, "type": "other", - "label": "LIST: Refrigerants - small molecule halocarbons", "visibility": "PUBLIC", + "label": "LIST: Refrigerants - small molecule halocarbons", "longDescription": "A refrigerant is a substance or mixture, usually a fluid, used in a heat pump and refrigeration cycle. Chemical refrigerants are assigned an R number which is determined systematically according to molecular structure", + "listName": "REFRIGERANTS", "chemicalCount": 284, "createdAt": "2019-10-18T22:11:58Z", "updatedAt": "2021-08-01T20:51:31Z", - "listName": "REFRIGERANTS", "shortDescription": "List of refrigerants collected from public sources " }, { "id": 1295, "type": "other", - "label": "NORMAN|METABOLITES Transformation Products and Reactions from Literature", "visibility": "PUBLIC", + "label": "NORMAN|METABOLITES Transformation Products and Reactions from Literature", "longDescription": "This dataset is designed to provide an entry point for users to contribute transformation products and reactions documented in the literature to the NORMAN Suspect List Exchange (https://www.norman-network.com/nds/SLE/<\/a>) for addition to open resources such as the NORMAN SLE, CompTox and PubChem. Dataset DOI: 10.5281/zenodo.4318838<\/a>\r\n\r\n\r\n\r\n", + "listName": "REFTPS", "chemicalCount": 70, "createdAt": "2021-09-03T12:09:55Z", "updatedAt": "2022-01-22T13:43:57Z", - "listName": "REFTPS", "shortDescription": "A dataset of transformation products derived from an effort led by the NORMAN Suspect List Exchange" }, { "id": 956, "type": "other", - "label": "List of chemicals related to Rosins", "visibility": "PUBLIC", + "label": "List of chemicals related to Rosins", "longDescription": "Rosin is a solid form of resin obtained from pines and some other plants, mostly conifers. Rosin is an ingredient in printing inks, photocopying and laser printing paper, varnishes, adhesives (glues), soap, paper sizing, soda, soldering fluxes, and sealing wax. Rosin can be used as a glazing agent in medicines and chewing gum.", + "listName": "ROSINS", "chemicalCount": 882, "createdAt": "2020-07-20T22:48:30Z", "updatedAt": "2020-07-20T22:49:33Z", - "listName": "ROSINS", "shortDescription": "Rosin is a solid form of resin obtained from pines and some other plants" }, { "id": 1034, "type": "other", - "label": "ChemSEC SIN List (Substitute it now)", "visibility": "PUBLIC", + "label": "ChemSEC SIN List (Substitute it now)", "longDescription": "The ChemSEC SIN List is a list of hazardous chemicals that are used in a wide variety of articles, products and manufacturing processes around the globe. The SIN abbreviation – Substitute It Now – implies that these chemicals should be removed as soon as possible as they pose a threat to human health and the environment.\r\n\r\nThe SIN List is developed by the non-profit ChemSec in close collaboration with scientists and technical experts, as well as an advisory committee of leading environmental, health, consumer organisations. The list is based on credible, publicly available information from existing databases and scientific studies.", + "listName": "SINLIST", "chemicalCount": 977, "createdAt": "2020-11-04T09:11:46Z", "updatedAt": "2021-08-04T22:53:36Z", - "listName": "SINLIST", "shortDescription": "The ChemSEC SIN List is a list of hazardous chemicals that are used in a wide variety of articles, products and manufacturing processes around the globe." }, { "id": 674, "type": "other", - "label": "TOBACCO|SMOKING: Database of chemical compounds present in Smokeless tobacco products (SLTChemDB)", "visibility": "PUBLIC", + "label": "TOBACCO|SMOKING: Database of chemical compounds present in Smokeless tobacco products (SLTChemDB)", "longDescription": "SLTChemDB is a Smokeless Tobacco database that makes available detailed information on various properties of chemical compounds identified across different brands of SLT products. The database was reported in this article<\/a>. The primary information for the database was extracted through extensive literature search, which was further curated from popular chemical web servers and databases. SLTChemDB contains comprehensive information on 233 unique chemical compounds and 82 SLT products. This list is a partial collection until the next update of the dashboard.", + "listName": "SLTChemDB", "chemicalCount": 208, "createdAt": "2019-05-18T22:01:55Z", "updatedAt": "2019-11-19T13:32:35Z", - "listName": "SLTChemDB", "shortDescription": "SLTChemDB is a database of chemicals in Smokeless Tobacco" }, { "id": 1142, "type": "other", - "label": "NORMAN | Pesticides and Transformation Products from SLU, Sweden", "visibility": "PUBLIC", + "label": "NORMAN | Pesticides and Transformation Products from SLU, Sweden", "longDescription": "Suspect list of pesticides and pesticide transformation products (TPs) from SLU (Swedish University of Agricultural Sciences), created based on Sweden’s national monitoring program and the pesticide properties database (PPDB) described in Frank Menger et al (10.1021/acs.est.1c00466<\/a>) and hosted on the NORMAN Suspect List Exchange<\/a>, Dataset DOI: 10.5281/zenodo.4687924<\/a>.", + "listName": "SLUPESTTPS", "chemicalCount": 391, "createdAt": "2021-04-24T20:04:54Z", "updatedAt": "2021-07-25T12:48:55Z", - "listName": "SLUPESTTPS", "shortDescription": "Suspect list of pesticides and pesticide transformation products (TPs) from SLU (Swedish University of Agricultural Sciences)" }, { "id": 651, "type": "other", - "label": "NORMAN: SOLUTIONS Predicted Transformation Products", "visibility": "PUBLIC", + "label": "NORMAN: SOLUTIONS Predicted Transformation Products", "longDescription": "Predicted Transformation Products calculated by LMC during the SOLUTIONS (www.solutions-project.eu/<\/a>) project, interactive table available here<\/a>. Mapped to registered DTXSIDs by InChIKey.\r\n\r\n", + "listName": "SOLNSLMCTPS", "chemicalCount": 2789, "createdAt": "2019-04-29T10:13:27Z", "updatedAt": "2019-04-29T10:14:23Z", - "listName": "SOLNSLMCTPS", "shortDescription": "Predicted Transformation Products from the SOLUTIONS<\/a> project." }, { "id": 644, "type": "other", - "label": "NORMAN: Chemicals used for Modelling in the SOLUTIONS Project", "visibility": "PUBLIC", + "label": "NORMAN: Chemicals used for Modelling in the SOLUTIONS Project", "longDescription": "List containing the 6462 chemicals used for modelling in the SOLUTIONS project<\/a>, provided by Jaroslav Slobodnik (EI). This list is the subset available on the Dashboard mapped by InChIKey; original file on the NORMAN Suspect List Exchange<\/a>.", + "listName": "SOLUTIONSMLOS", "chemicalCount": 4751, "createdAt": "2019-04-28T15:56:40Z", "updatedAt": "2019-05-03T14:04:21Z", - "listName": "SOLUTIONSMLOS", "shortDescription": "List containing the 6462 chemicals used for modelling in the SOLUTIONS project<\/a>." }, { "id": 580, "type": "other", - "label": "PHARMACEUTICALS: Statin drugs ", "visibility": "PUBLIC", + "label": "PHARMACEUTICALS: Statin drugs ", "longDescription": "Statins, also known as HMG-CoA reductase inhibitors or 3-hydroxy-3-methyl-glutaryl-coenzyme A reductase inhibitors, are a class of lipid-lowering medications. This list has been compiled from information on Wikipedia (https://en.wikipedia.org/wiki/Statin#Available_forms<\/a> \r\n ) and PubMed MeSH terms and will grow with progressive Dashboard releases. Note that a substring search for “statin” in the Dashboard will return compounds that do not necessarily fit with this definition of statin (e.g. nystatin is an antifungal agent and astatine is a radioactive chemical element). ", + "listName": "STATINS", "chemicalCount": 51, "createdAt": "2018-11-16T15:09:53Z", "updatedAt": "2020-10-11T10:57:28Z", - "listName": "STATINS", "shortDescription": "Statins, also known as HMG-CoA reductase inhibitors or 3-hydroxy-3-methyl-glutaryl-coenzyme A reductase inhibitors, are a class of lipid-lowering medications." }, { "id": 405, "type": "other", - "label": "Stockholm Convention on Organic Pollutants", "visibility": "PUBLIC", + "label": "Stockholm Convention on Organic Pollutants", "longDescription": "Stockholm Convention on Persistent Organic Pollutants is an international environmental treaty, signed in 2001 and effective from May 2004, that aims to eliminate or restrict the production and use of persistent organic pollutants (POPs)", + "listName": "STOCKHOLM", "chemicalCount": 38, "createdAt": "2017-07-23T12:27:36Z", "updatedAt": "2017-11-22T16:18:39Z", - "listName": "STOCKHOLM", "shortDescription": "Stockholm Convention on Persistent Organic Pollutants is an international environmental treaty." }, { "id": 391, "type": "other", - "label": "WATER: STOFF-IDENT Database of Water-Relevant Substances", "visibility": "PUBLIC", + "label": "WATER: STOFF-IDENT Database of Water-Relevant Substances", "longDescription": "STOFF-IDENT is a database of water relevant substances collated from various sources within the STOFF-IDENT and FOR-IDENT projects, hosted by the Bavarian Environment Agency (Bayerisches Landesamt für Umwelt, LfU<\/a>), the University of Applied Sciences Weihenstephan-Triesdorf (HSWT<\/a>) and the Technical University of Munich (TUM<\/a>). \r\nThe databases at https://www.lfu.bayern.de/stoffident/#!home<\/a> and https://water.for-ident.org/#!home<\/a> have additional functionality, enabling the search for exact masses from target or unknown lists and the automatic use of a Retention Time Index. Single searches are possible for free; batch queries after free registration. STOFF-IDENT is also available on the NORMAN Suspect List Exchange<\/a>. This list is undergoing continuous curation/extension. \r\n", + "listName": "STOFFIDENT", "chemicalCount": 8885, "createdAt": "2017-07-14T21:33:00Z", "updatedAt": "2018-11-17T14:30:39Z", - "listName": "STOFFIDENT", "shortDescription": "STOFF-IDENT is a database of water relevant substances collated from various sources within the STOFF-IDENT and FOR-IDENT projects, hosted by LfU, HSWT and TUM. The database at https://www.lfu.bayern.de/stoffident/#!home has additional functionality. " }, { "id": 948, "type": "other", - "label": "NORMAN: Norman Network Suspect Screening List (SUSDAT)", "visibility": "PUBLIC", + "label": "NORMAN: Norman Network Suspect Screening List (SUSDAT)", "longDescription": "NORMAN SusDat is a merged Suspect List containing all (mapped) entries listed on the NORMAN Suspect Exchange (http://www.norman-network.com/?q=node/236)<\/a>, including all individual NORMAN lists here. This list is undergoing continuous expansion and curation. For more information refer to the NORMAN website. Compiled by E. Schymanski, R. Aalizadeh, N. Alygizakis, A.J. Williams and more. UPDATED 06/21/2020", + "listName": "SUSDAT", "chemicalCount": 62259, "createdAt": "2020-06-21T12:54:19Z", "updatedAt": "2020-06-21T13:19:30Z", - "listName": "SUSDAT", "shortDescription": "Merged NORMAN Suspect List “SusDat” from the NORMAN Suspect Exchange." }, { "id": 1361, "type": "other", - "label": "MASSPECDB: SWGDRUG Mass Spectral Library Chemical Collection", "visibility": "PUBLIC", + "label": "MASSPECDB: SWGDRUG Mass Spectral Library Chemical Collection", "longDescription": "The Scientific Working Group for the Analysis of Seized Drugs (SWGDRUG) has compiled a mass spectral library from a variety of sources, containing drugs and drug-related compounds. All spectra were collected using electron impact mass spectrometry systems. This library is available for download<\/a>. (Last updated February 20th 2022)", + "listName": "SWGDRUGV2", "chemicalCount": 3385, "createdAt": "2022-02-20T22:51:04Z", "updatedAt": "2022-07-12T14:53:21Z", - "listName": "SWGDRUGV2", "shortDescription": "The Scientific Working Group for the Analysis of Seized Drugs (SWGDRUG) mass spectral library" }, { "id": 1356, "type": "other", - "label": "SWISSLIPIDS2022", "visibility": "PUBLIC", + "label": "SWISSLIPIDS2022", "longDescription": "SWISSLIPIDS2022", + "listName": "SWISSLIPIDS2022", "chemicalCount": 593, "createdAt": "2022-01-28T21:35:41Z", "updatedAt": "2022-01-28T21:45:31Z", - "listName": "SWISSLIPIDS2022", "shortDescription": "SWISSLIPIDS2022" }, { "id": 389, "type": "other", - "label": "PESTICIDES: Swiss Pesticides and Transformation Products", "visibility": "PUBLIC", + "label": "PESTICIDES: Swiss Pesticides and Transformation Products", "longDescription": "SWISSPEST is a list of registered insecticides and fungicides in Switzerland along with their major transformation products. This list was used for a suspect screening approach described in Moschet et al 2013, DOI: 10.1021/ac4021598<\/a>. The original data is available on the NORMAN Suspect List Exchange<\/a>. This list is undergoing continuous curation/registration.", + "listName": "SWISSPEST", "chemicalCount": 183, "createdAt": "2017-07-14T16:53:14Z", "updatedAt": "2018-11-16T22:02:02Z", - "listName": "SWISSPEST", "shortDescription": "SWISSPEST is a list of registered insecticides and fungicides in Switzerland along with their major transformation products. This list was used for a suspect screening approach described in Moschet et al 2013, DOI: 10.1021/ac4021598" }, { "id": 803, "type": "other", - "label": "PESTICIDES|NORMAN|METABOLITES: Swiss Pesticides and Metabolites from Keifer et al 2019", "visibility": "PUBLIC", + "label": "PESTICIDES|NORMAN|METABOLITES: Swiss Pesticides and Metabolites from Keifer et al 2019", "longDescription": "Swiss pesticides (plant protection products) and metabolites contributed to the NORMAN Suspect List Exchange (https://www.norman-network.com/nds/SLE/<\/a>) from Kiefer et al 2019, Tables SI-B 1 and 2, DOI: https://doi.org/10.1016/j.watres.2019.114972<\/a>. More information and details on Zenodo: DOI: 10.5281/zenodo.3544759<\/a>", + "listName": "SWISSPEST19", "chemicalCount": 876, "createdAt": "2019-11-17T12:20:40Z", "updatedAt": "2020-11-06T22:50:36Z", - "listName": "SWISSPEST19", "shortDescription": "Swiss pesticides contributed to the NORMAN Suspect List Exchange" }, { "id": 388, "type": "other", - "label": "PHARMACEUTICALS|NORMAN: Pharmaceutical List with EU, Swiss, US Consumption Data", "visibility": "PUBLIC", + "label": "PHARMACEUTICALS|NORMAN: Pharmaceutical List with EU, Swiss, US Consumption Data", "longDescription": "SWISSPHARMA is a list of pharmaceuticals with consumption data from Switzerland, France, Germany and the USA, used for a suspect screening/exposure modelling approach described in Singer et al 2016, DOI: 10.1021/acs.est.5b03332<\/a>. The original data is available on the NORMAN Suspect List Exchange<\/a>. This list is undergoing continuous curation/registration.", + "listName": "SWISSPHARMA", "chemicalCount": 953, "createdAt": "2017-07-14T16:01:14Z", "updatedAt": "2020-10-11T10:57:11Z", - "listName": "SWISSPHARMA", "shortDescription": "SWISSPHARMA is a list of pharmaceuticals with consumption data from Switzerland, France, Germany and the USA, used for a suspect screening/exposure modelling approach described in Singer et al 2016, DOI: 10.1021/acs.est.5b03332" }, { "id": 1253, "type": "other", - "label": "LIST: Synthetic cannabinoids", "visibility": "PUBLIC", + "label": "LIST: Synthetic cannabinoids", "longDescription": "Synthetic cannabinoids are a class of molecules that bind to cannabinoid receptors in the body (the same receptors to which THC and CBD attach, which are cannabinoids in cannabis plants). Synthetic cannabinoids are also designer drugs that are often sprayed onto plant matter.They are typically consumed through smoking, although more recently they have been consumed in a concentrated liquid form. They have been marketed as herbal incense, or “herbal smoking blends” and sold under common names like Spice,and Synthetic Marijuana. This list is assembled from Wikipedia, public databases, and scientific literature. It remains under constant development and will update with every release of the dashboard.", + "listName": "SYNTHCANNAB", "chemicalCount": 39, "createdAt": "2021-08-04T22:39:42Z", "updatedAt": "2021-08-04T22:40:07Z", - "listName": "SYNTHCANNAB", "shortDescription": "A list of synthetic cannabinoids assembled from public resources." }, { "id": 1137, "type": "other", - "label": "T3DB Toxic Exposome Database", "visibility": "PUBLIC", + "label": "T3DB Toxic Exposome Database", "longDescription": "The focus of the T3DB is on providing mechanisms of toxicity and target proteins for each toxin. This dual nature of the T3DB, in which toxin and toxin target records are interactively linked in both directions, makes it unique from existing databases. It is both modelled after and closely linked to the Human Metabolome Database (HMDB) and DrugBank. Potential applications of T3DB include toxin metabolism prediction, toxin/drug interaction prediction, and general toxin hazard awareness by the public, making it applicable to various fields. \r\n", + "listName": "T3DB", "chemicalCount": 3645, "createdAt": "2021-04-18T23:19:53Z", "updatedAt": "2021-08-04T22:41:13Z", - "listName": "T3DB", "shortDescription": "T3DB provides mechanisms of toxicity and target proteins for each toxin." }, { "id": 1354, "type": "other", - "label": "NORMAN|Regulated Tattoo Ink Ingredients as per EU regulation 2020/2081", "visibility": "PUBLIC", + "label": "NORMAN|Regulated Tattoo Ink Ingredients as per EU regulation 2020/2081", "longDescription": "A list of regulated ingredients fortattoo ink and permanent make up<\/a>, Appendix 13 added to Commission Regulation (EU) 2020/2081, 14 December 2020 amending Annex XVII of REACH<\/a>. Provided by JRC and hosted on the NORMAN Suspect List Exchange ( https://www.norman-network.com/nds/SLE/<\/a>). Dataset DOI: 10.5281/zenodo.5710243<\/a>.", + "listName": "TATTOOINK", "chemicalCount": 97, "createdAt": "2022-01-22T15:56:33Z", "updatedAt": "2022-01-22T15:57:00Z", - "listName": "TATTOOINK", "shortDescription": "A list of regulated ingredients for tattoo ink and permanent make up." }, { "id": 899, "type": "other", - "label": "List of tert-butyl phenols from KEMI", "visibility": "PUBLIC", + "label": "List of tert-butyl phenols from KEMI", "longDescription": "A list of tert-butyl phenols from KEMI (Swedish Chemicals Agency)<\/a>, partner list to BISPHENOLS<\/a>. Includes exposure score. Hosted on the NORMAN Suspect List Exchange<\/a>. Dataset DOI: 10.5281/zenodo.3779849<\/a>\r\n\r\n\r\n\r\n\r\n\r\n\r\n", + "listName": "TBUTYLPHENOLS", "chemicalCount": 77, "createdAt": "2020-05-01T14:09:15Z", "updatedAt": "2020-05-01T14:09:47Z", - "listName": "TBUTYLPHENOLS", "shortDescription": "A list of tert-butyl phenols from the KEMI (Swedish Chemicals Agency)." }, { "id": 653, "type": "other", - "label": "SMOKING|NORMAN: Thirdhand Smoke (THS) Compounds: Suspect List", "visibility": "PUBLIC", + "label": "SMOKING|NORMAN: Thirdhand Smoke (THS) Compounds: Suspect List", "longDescription": "A collection of compounds for mass spectrometry suspect screening of Thirdhand Smoke (THS, the tobacco-related gases and particles that become embedded in materials), compiled by S. Torres, N. Ramirez, Institut D’investigacio Sanitaria Pere Virgili at Universitat Rovira i Virgili (IISPV-URV) and E. Schymanski (Luxembourg Center for Systems Biomedicine, LCSB)", + "listName": "THSMOKE", "chemicalCount": 95, "createdAt": "2019-04-30T09:55:08Z", "updatedAt": "2019-05-18T21:59:11Z", - "listName": "THSMOKE", "shortDescription": "A collection of compounds for mass spectrometry suspect screening of Thirdhand Smoke (THS)" }, { "id": 1294, "type": "other", - "label": "NORMAN|METABOLITES|SMOKING Thirdhand Smoke Specific Metabolites ", "visibility": "PUBLIC", + "label": "NORMAN|METABOLITES|SMOKING Thirdhand Smoke Specific Metabolites ", "longDescription": "A list of thirdhand smoke (THS) specific metabolites (TPs) contributed by Carla Merino, Noelia Ramirez and colleagues, URV, Spain to the NORMAN Suspect List Exchange (https://www.norman-network.com/nds/SLE/<\/a>). Dataset DOI: 10.5281/zenodo.5394629<\/a>.", + "listName": "THSTPS", "chemicalCount": 51, "createdAt": "2021-09-03T10:19:34Z", "updatedAt": "2022-01-22T15:22:02Z", - "listName": "THSTPS", "shortDescription": "A list of thirdhand smoke (THS) specific metabolite transformation products" }, { "id": 1459, "type": "other", - "label": "EPA ToxCast invitrodb v3.1 (April 2019)", "visibility": "PUBLIC", + "label": "EPA ToxCast invitrodb v3.1 (April 2019)", "longDescription": "This list of chemicals corresponds to chemicals with bioactivity assay data in EPA's ToxCast Database, referred to as invitrodb (v3.1 public release, April 2019). Invitrodb contains data for chemicals in the ToxCast and Tox21 programs, with more information available here<\/a>. This list is provided as a resource to support the April 2019 version of the bioactivity data in invitrodb v3.1 and can be downloaded and cited as follows: EPA National Center for Computational Toxicology. (2018). Invitrodb version 3.1. https://doi.org/10.23645/epacomptox.6062623.v3<\/a>\r\n\r\n\r\n\r\n\r\n", + "listName": "ToxCast_invitroDB_v3_1", "chemicalCount": 9213, "createdAt": "2022-05-17T13:10:58Z", "updatedAt": "2022-05-18T07:53:49Z", - "listName": "ToxCast_invitroDB_v3_1", "shortDescription": "This list of chemicals corresponds to chemicals with bioactivity assay data in EPA's ToxCast Database, referred to as invitrodb (v3.1 public release, April 2019)." }, { "id": 1460, "type": "other", - "label": "EPA ToxCast invitrodb v3.2 (May 2019)", "visibility": "PUBLIC", + "label": "EPA ToxCast invitrodb v3.2 (May 2019)", "longDescription": "This list of chemicals corresponds to chemicals with bioactivity assay data in EPA's ToxCast Database, referred to as invitrodb (v3.2 public release, May 2019). Invitrodb contains data for chemicals in the ToxCast and Tox21 programs, with more information available here<\/a>. This list is provided as a resource to support the May 2019 version of the bioactivity data in invitrodb v3.2 and can be downloaded and cited as follows: EPA National Center for Computational Toxicology. (2019). Invitrodb version 3.2. https://doi.org/10.23645/epacomptox.6062623.v4<\/a>", + "listName": "ToxCast_invitroDB_v3_2", "chemicalCount": 9224, "createdAt": "2022-05-17T13:24:55Z", "updatedAt": "2022-07-12T12:59:43Z", - "listName": "ToxCast_invitroDB_v3_2", "shortDescription": "This list of chemicals corresponds to chemicals with bioactivity assay data in EPA's ToxCast Database, referred to as invitrodb (v3.2 public release, May 2019)." }, { "id": 1873, "type": "other", - "label": "EPA ToxCast invitrodb v3.3 (September 2020)", "visibility": "PUBLIC", + "label": "EPA ToxCast invitrodb v3.3 (September 2020)", "longDescription": "This list of chemicals corresponds to chemicals with bioactivity assay data in EPA's ToxCast Database, referred to as invitrodb (v3.3 public release, September 2020). Invitrodb contains data for chemicals in the ToxCast and Tox21 programs, with more information available here<\/a>. This list is provided as a resource to support the September 2020 version of the bioactivity data in invitrodb v3.3 and can be downloaded and cited as follows: EPA Center for Computational Toxicology and Exposure. (2020). Invitrodb version 3.3. https://doi.org/10.23645/epacomptox.6062623.v5<\/a>", + "listName": "ToxCast_invitroDB_v3_3", "chemicalCount": 9338, "createdAt": "2023-10-27T09:45:24Z", "updatedAt": "2023-10-27T09:47:18Z", - "listName": "ToxCast_invitroDB_v3_3", "shortDescription": "This list of chemicals corresponds to chemicals with bioactivity assay data in EPA's ToxCast Database, referred to as invitrodb (v3.3 public release, September 2020)" }, { "id": 1874, "type": "other", - "label": "EPA ToxCast invitrodb v3.4 (October 2021)", "visibility": "PUBLIC", + "label": "EPA ToxCast invitrodb v3.4 (October 2021)", "longDescription": "This list of chemicals corresponds to chemicals with bioactivity assay data in EPA's ToxCast Database, referred to as invitrodb (v3.4 public release, October 2021). Invitrodb contains data for chemicals in the ToxCast and Tox21 programs, with more information available here<\/a>. This list is provided as a resource to support the October 2021 version of the bioactivity data in invitrodb v3.4 and can be downloaded and cited as follows: EPA Center for Computational Toxicology and Exposure. (2021). Invitrodb version 3.4. https://doi.org/10.23645/epacomptox.6062623.v7<\/a>", + "listName": "ToxCast_invitroDB_v3_4", "chemicalCount": 9341, "createdAt": "2023-10-27T10:00:50Z", "updatedAt": "2023-10-27T10:02:25Z", - "listName": "ToxCast_invitroDB_v3_4", "shortDescription": "This list of chemicals corresponds to chemicals with bioactivity assay data in EPA's ToxCast Database, referred to as invitrodb (v3.4 public release, October 2021)" }, { "id": 1875, "type": "other", - "label": "EPA ToxCast invitrodb v3.5 (August 2022)", "visibility": "PUBLIC", + "label": "EPA ToxCast invitrodb v3.5 (August 2022)", "longDescription": "This list of chemicals corresponds to chemicals with bioactivity assay data in EPA's ToxCast Database, referred to as invitrodb (v3.5 public release, August 2022). Invitrodb contains data for chemicals in the ToxCast and Tox21 programs, with more information available here<\/a>. This list is provided as a resource to support the August 2022 version of the bioactivity data in invitrodb v3.5 and can be downloaded and cited as follows: EPA Center for Computational Toxicology and Exposure. (2022). Invitrodb version 3.5. https://doi.org/10.23645/epacomptox.6062623.v8<\/a>. v4.0 was a beta release of invitrodb (DOI: 10.23645/epacomptox.24132942.v1<\/a>) to accompany Feshuk et al, 2023<\/a> and includes the same chemicals as the TOXCAST_INVITRODB_v3_5 chemical list.\r\n", + "listName": "ToxCast_invitroDB_v3_5", "chemicalCount": 9550, "createdAt": "2023-10-27T11:59:26Z", "updatedAt": "2023-10-27T12:11:40Z", - "listName": "ToxCast_invitroDB_v3_5", "shortDescription": "This list of chemicals corresponds to chemicals with bioactivity assay data in EPA's ToxCast Database, referred to as invitrodb (v3.5 public release, August 2022)" }, { "id": 1876, "type": "other", - "label": "EPA ToxCast invitrodb v4.1 (September 2023)", "visibility": "PUBLIC", + "label": "EPA ToxCast invitrodb v4.1 (September 2023)", "longDescription": "This list of chemicals corresponds to chemicals with bioactivity assay data in EPA's ToxCast Database, referred to as invitrodb (v4.1 public release, Sept 2023). Invitrodb contains data for chemicals in the ToxCast and Tox21 programs, with more information available here. This list is provided as a resource to support the September 2023 version of the bioactivity data in invitrodb v4.1 and can be downloaded and cited as follows: EPA Center for Computational Toxicology and Exposure. (2023). Invitrodb version 4.1 https://doi.org/10.23645/epacomptox.6062623.v11<\/a>. v4.0 was a beta release of invitrodb (DOI: https://doi.org/10.23645/epacomptox.24132942.v1<\/a>) to accompany Feshuk et al, 2023<\/a> and includes the same chemicals as the TOXCAST_INVITRODB_v3_5 chemical list.", + "listName": "ToxCast_invitroDB_v4_1", "chemicalCount": 9559, "createdAt": "2023-10-27T12:22:52Z", "updatedAt": "2023-12-13T15:17:37Z", - "listName": "ToxCast_invitroDB_v4_1", "shortDescription": "This list of chemicals corresponds to chemicals with bioactivity assay data in EPA's ToxCast Database, referred to as invitrodb (v4.1 public release, September 2023)" }, { "id": 967, "type": "other", - "label": "FDA Transporter Database from the University of California, San Francisco", "visibility": "PUBLIC", + "label": "FDA Transporter Database from the University of California, San Francisco", "longDescription": "The purpose of the FDA Transporter Database is to be a useful repository of information on transporters important in the drug discovery process as a part of the US Food and Drug Administration-led Critical Path Initiative. Information includes transporter expression, localization, substrates, inhibitors, and drug-drug interactions. The database is available at https://transportal.compbio.ucsf.edu/<\/a> ", + "listName": "TRANSPORTAL", "chemicalCount": 401, "createdAt": "2020-08-03T17:07:12Z", "updatedAt": "2021-08-07T10:40:08Z", - "listName": "TRANSPORTAL", "shortDescription": "The purpose of the FDA Transporter Database is to be a useful repository of information on transporters important in the drug discovery process." }, { "id": 1141, "type": "other", - "label": "NORMAN | Collision Cross Section (CCS) Library from Univ. of Antwerp", "visibility": "PUBLIC", + "label": "NORMAN | Collision Cross Section (CCS) Library from Univ. of Antwerp", "longDescription": "A library containing the collision cross section (CCS) values of 311 adducts of 148 contaminants of emerging concern (CECs) and their metabolites measured with drift tube ion mobility high resolution mass spectrometry (in positive and negative ionization modes with N2 as drift gas) as described in Belova et al (2021) DOI: 10.1021/acs.analchem.1c00142<\/a> and hosted on the NORMAN Suspect List Exchange<\/a>, Dataset DOI: 10.5281/zenodo.4704648<\/a>\r\n\r\n", + "listName": "UACCSCEC", "chemicalCount": 147, "createdAt": "2021-04-24T14:56:51Z", "updatedAt": "2021-06-01T23:44:25Z", - "listName": "UACCSCEC", "shortDescription": "A library containing the collision cross section (CCS) values of 311 adducts of 148 contaminants of emerging concern (CECs)" }, { "id": 458, "type": "other", - "label": "NORMAN: University of Athens Target List", "visibility": "PUBLIC", + "label": "NORMAN: University of Athens Target List", "longDescription": "A list of target substances measured at the Department of Chemistry, University of Athens. Provided by Nikiforos Alygizakis and Nikos Thomaidis. More details on the NORMAN Suspect List Exchange<\/a>", + "listName": "UATHTARGETS", "chemicalCount": 1768, "createdAt": "2018-03-08T08:26:06Z", "updatedAt": "2018-11-16T22:09:33Z", - "listName": "UATHTARGETS", "shortDescription": "A list of target substances measured at the Department of Chemistry, University of Athens. Provided by Nikiforos Alygizakis and Nikos Thomaidis. " }, { "id": 873, "type": "other", - "label": "NORMAN: University of Athens GC-HRMS Target List", "visibility": "PUBLIC", + "label": "NORMAN: University of Athens GC-HRMS Target List", "longDescription": "GC-HRMS target list of University of Athens. Provided by the research group of Prof. Nikolaos Thomaidis and hosted on the NORMAN Suspect List Exchange<\/a>. The list can also be downloaded from DOI:10.5281/zenodo.3753372<\/a>", + "listName": "UATHTARGETSGC", "chemicalCount": 284, "createdAt": "2020-04-19T08:16:43Z", "updatedAt": "2020-05-28T15:25:10Z", - "listName": "UATHTARGETSGC", "shortDescription": "GC-HRMS target list of University of Athens. Provided by the research group of Prof. Nikolaos Thomaidis." }, { "id": 1345, "type": "other", - "label": "NORMAN|List of Prioritized Biocides from UBA", "visibility": "PUBLIC", + "label": "NORMAN|List of Prioritized Biocides from UBA", "longDescription": "A merged list of prioritized biocidal active substances provided by UBA (German Environment Agency) and relevant transformation products, released Sept. 2021 (PDF<\/a>) and updating UBA Texte 114/2017<\/a>. \r\nDataset DOI: U10.5281/zenodo.5767494<\/a>. Data hosted on the NORMAN Suspect List Exchange<\/a>.\r\n\r\n", + "listName": "UBABIOCIDES", "chemicalCount": 56, "createdAt": "2021-12-10T21:06:18Z", "updatedAt": "2021-12-14T11:52:56Z", - "listName": "UBABIOCIDES", "shortDescription": "List of prioritized biocidal active substances provided by UBA (German Environment Agency) and relevant transformation products" }, { "id": 883, "type": "other", - "label": "NORMAN: REACH Registered Substances Detected in Drinking (DW) or Groundwater (GW)", "visibility": "PUBLIC", + "label": "NORMAN: REACH Registered Substances Detected in Drinking (DW) or Groundwater (GW)", "longDescription": "A list of REACH registered substances detected in drinking (DW) or groundwater (GW) that do not meet PMT (Persistent, Mobile and Toxic) criteria from NORMAN Suspect List Exchange proposed by the German Environment Agency, UBA, Germany. This list (Lists 5-7) is derived from a research project by the Norwegian Geotechnical Institute (NGI) and couples with UBAPMT (Lists 1-4) in this technical note. provided by Hans Peter Arp, NGI. DOI: 10.5281/zenodo.3637629<\/a>\r\n\r\n", + "listName": "UBADWGW", "chemicalCount": 91, "createdAt": "2020-04-22T08:44:59Z", "updatedAt": "2020-04-22T08:45:19Z", - "listName": "UBADWGW", "shortDescription": "List of REACH registered substances detected in drinking (DW) or groundwater (GW) that do not meet PMT (Persistent, Mobile and Toxic) criteria " }, { "id": 647, "type": "other", - "label": "NORMAN: Potential Persistent, Mobile and Toxic (PMT) substances", "visibility": "PUBLIC", + "label": "NORMAN: Potential Persistent, Mobile and Toxic (PMT) substances", "longDescription": "A list of REACH substances that could fulfil proposed (very) Persistent, (very) Mobile and Toxic (PMT/vPvM) criteria, proposed by the German Environment Agency, UBA, Germany. Derived from a research project by Norwegian Geotechnical Institute (NGI). Updated version provided by Hans Peter Arp, details in this technical note<\/a>.\r\n", + "listName": "UBAPMT", "chemicalCount": 310, "createdAt": "2019-04-28T17:34:54Z", "updatedAt": "2020-12-16T07:44:31Z", - "listName": "UBAPMT", "shortDescription": "List of REACH substances that could fulfill proposed (very) Persistent, (very) Mobile and Toxic (PMT/vPvM) criteria" }, { "id": 1353, "type": "other", - "label": "NORMAN|Persistent and Mobile chemicals Suspect List from UFZ and HSF", "visibility": "PUBLIC", + "label": "NORMAN|Persistent and Mobile chemicals Suspect List from UFZ and HSF", "longDescription": "A suspect screening list of potentially persistent and mobile chemicals from the Helmholtz Centre for Environmental Research (UFZ) and the Flensburg University of Applied Sciences (HSF), described in Neuwald, Muschket et al. (2021) <\/a> and this dataset <\/a> and available on the NORMAN Suspect List Exchange (https://www.norman-network.com/nds/SLE/<\/a>). Dataset DOI: 10.5281/zenodo.5535287<\/a>.", + "listName": "UFZHSFPMT", "chemicalCount": 603, "createdAt": "2022-01-22T15:44:16Z", "updatedAt": "2022-01-22T15:45:37Z", - "listName": "UFZHSFPMT", "shortDescription": "A suspect screening list of potentially persistent and mobile chemicals from UFZ and HSF." }, { "id": 806, "type": "other", - "label": "NORMAN | Target Compounds from UFZ WANA", "visibility": "PUBLIC", + "label": "NORMAN | Target Compounds from UFZ WANA", "longDescription": "List of target compounds (LC and GC) measured at WANA, UFZ (Leipzig, Germany), provided by Tobias Schulze and Martin Krauss, uploaded to the NORMAN Suspect List Exchange (https://www.norman-network.com/nds/SLE/<\/a>). DOI: 10.5281/zenodo.3365549<\/a>", + "listName": "UFZWANATARG", "chemicalCount": 1221, "createdAt": "2019-11-17T22:48:40Z", "updatedAt": "2019-11-17T22:49:24Z", - "listName": "UFZWANATARG", "shortDescription": "List of target compounds (LC and GC) measured at WANA, UFZ (Leipzig, Germany)" }, { "id": 1379, "type": "other", - "label": "LIST: UHPLC Metabolite Library ", "visibility": "PUBLIC", + "label": "LIST: UHPLC Metabolite Library ", "longDescription": "The list of metabolites associated with the library \"UHPLC retention time and MS/MS mass spectral fragmentation libraries\" from the Analytical and Clinical Metabolomics Group. The original source list before curation is available online here<\/a>.", + "listName": "UHPLCMS1", "chemicalCount": 572, "createdAt": "2022-03-14T22:57:20Z", "updatedAt": "2022-08-17T20:50:54Z", - "listName": "UHPLCMS1", "shortDescription": "The list of metabolites associated with the library \"UHPLC retention time and MS/MS mass spectral fragmentation libraries\" from the Analytical and Clinical Metabolomics Group" }, { "id": 382, "type": "other", - "label": "NORMAN: Target Substances from Uni. Jaume I, Castellon", "visibility": "PUBLIC", + "label": "NORMAN: Target Substances from Uni. Jaume I, Castellon", "longDescription": "UJIBADE is a list of target substances from University Jaume I, Castellon, Spain used for retention time prediction in Bade et al 2015, DOI: 10.1016/j.scitotenv.2015.08.078<\/a>. The original data is available on the NORMAN Suspect List Exchange<\/a>.", + "listName": "UJIBADE", "chemicalCount": 508, "createdAt": "2017-07-13T18:40:16Z", "updatedAt": "2018-11-16T22:12:12Z", - "listName": "UJIBADE", "shortDescription": "UJIBADE is a list of target substances from University Jaume I, Castellon, Spain used for retention time prediction in Bade et al 2015, DOI: 10.1016/j.scitotenv.2015.08.078" }, { "id": 823, "type": "other", - "label": "NORMAN|Collision Cross Section (CCS) Library from UJI", "visibility": "PUBLIC", + "label": "NORMAN|Collision Cross Section (CCS) Library from UJI", "longDescription": "A list of 970 collision cross section values from 556 compounds (both positive and negative ionization modes, and N2 as a drift gas using TWIMS-QTOF instrument) provided to NORMAN Suspect List Exchange<\/a> by Alberto Celma et al<\/a> (2020). This list contains all entries that are also public in the CompTox Dashboard, full list on the NORMAN SLE. \r\n\r\n\r\n\r\n.\r\n\r\n\r\n", + "listName": "UJICCSLIB", "chemicalCount": 481, "createdAt": "2019-11-22T07:50:22Z", "updatedAt": "2020-11-19T18:03:47Z", - "listName": "UJICCSLIB", "shortDescription": "List of collision cross section (CCS) values for >500 compounds" }, { "id": 841, "type": "other", - "label": "E-LIQUIDS DB Center for Tobacco Regulatory Science and Lung Health UNC", "visibility": "PUBLIC", + "label": "E-LIQUIDS DB Center for Tobacco Regulatory Science and Lung Health UNC", "longDescription": "UNC Center for Tobacco Regulatory Science and Lung Health E-liquid Database. E-cigarettes produce a cloud-like vapor by heating what is known as e-liquid. E-liquid is a viscous fluid composed of propylene glycol (PG), vegetable glycerin (VG), flavorings, and other chemical additives such as nicotine. Many of these flavorings and chemical additives contained in the e-liquid have never been tested on the lungs and their effects are largely unknown.", + "listName": "UNCTCORS", "chemicalCount": 157, "createdAt": "2020-01-31T21:36:39Z", "updatedAt": "2020-01-31T21:37:21Z", - "listName": "UNCTCORS", "shortDescription": "University of North Carolina Center for Tobacco Regulatory Science and Lung Health E-liquid Database" }, { "id": 696, "type": "other", - "label": "PHARMACEUTICALS|NORMAN: Target Pharmaceutical/Drug List from University of Athens", "visibility": "PUBLIC", + "label": "PHARMACEUTICALS|NORMAN: Target Pharmaceutical/Drug List from University of Athens", "longDescription": "LC-MS/MS target list of University of Athens containing illicit drugs and pharmaceuticals, available on the NORMAN Suspect List Exchange (https://www.norman-network.com/nds/SLE/<\/a>). Provided by Nikiforos Alygizakis (EI/UoA) and Nikolaos Thomaidis (UoA). DOIs: 10.1021/acs.est.6b02417<\/a>, 10.1016/j.scitotenv.2015.09.145<\/a>, 10.5281/zenodo.3248838<\/a>.", + "listName": "UOATARGPHARMA", "chemicalCount": 181, "createdAt": "2019-06-22T08:55:42Z", "updatedAt": "2020-10-11T10:58:00Z", - "listName": "UOATARGPHARMA", "shortDescription": "LC-MS/MS target list of University of Athens containing illicit drugs and pharmaceuticals" }, { "id": 811, "type": "other", - "label": "LIST: Terpenes in vape", "visibility": "PUBLIC", + "label": "LIST: Terpenes in vape", "longDescription": "Terpenes are organic compounds found in the marijuana plant that give strains their distinct aromatic and flavor profiles. They are now being isolated and concentrated into oils for individual vaping. ", + "listName": "VAPETERPENES", "chemicalCount": 37, "createdAt": "2019-11-17T23:20:41Z", "updatedAt": "2019-11-17T23:21:00Z", - "listName": "VAPETERPENES", "shortDescription": "List of Terpenes that are present in vape" }, { "id": 687, "type": "other", - "label": "MASSPECDB: Agilent PCDL Veterinarian Drug library", "visibility": "PUBLIC", + "label": "MASSPECDB: Agilent PCDL Veterinarian Drug library", "longDescription": "Chemical list derived from Agilent’s accurate mass veterinarian drug compound database. Details are available here:Veterinary Drug PCDL for LC/TOF and LC/Q-TOF<\/a>", + "listName": "VETDRUGPCDL", "chemicalCount": 2128, "createdAt": "2019-06-12T11:19:49Z", "updatedAt": "2024-03-25T14:57:25Z", - "listName": "VETDRUGPCDL", "shortDescription": "Chemical list derived from Agilent’s accurate mass veterinarian drug compound database. " }, { "id": 681, "type": "other", - "label": "PHARMACEUTICALS|WIKILIST: Veterinary Drugs", "visibility": "PUBLIC", + "label": "PHARMACEUTICALS|WIKILIST: Veterinary Drugs", "longDescription": "List of veterinary drugs sourced from various public sites including Wikipedia", + "listName": "VETDRUGS", "chemicalCount": 124, "createdAt": "2019-05-24T21:09:35Z", "updatedAt": "2020-10-11T10:57:42Z", - "listName": "VETDRUGS", "shortDescription": "List of veterinary drugs sourced from various public sites including Wikipedia" }, { "id": 583, "type": "other", - "label": "CATEGORY: Vitamins", "visibility": "PUBLIC", + "label": "CATEGORY: Vitamins", "longDescription": "A vitamin is an organic molecule (or related set of molecules) which is an essential micronutrient that an organism needs in small quantities for the proper functioning of its metabolism. Essential nutrients cannot be synthesized in the organism, either at all or not in sufficient quantities, and therefore must be obtained through the diet.", + "listName": "VITAMINS", "chemicalCount": 14, "createdAt": "2018-11-16T15:23:15Z", "updatedAt": "2020-10-11T10:35:24Z", - "listName": "VITAMINS", "shortDescription": "A vitamin is an organic molecule (or related set of molecules) which is an essential micronutrient that an organism needs in small quantities for the proper functioning of its metabolism." }, { "id": 713, "type": "other", - "label": "MASSSPEC: VocBinBase volatile compounds database", "visibility": "PUBLIC", + "label": "MASSSPEC: VocBinBase volatile compounds database", "longDescription": "Volatile compounds comprise diverse chemical groups with wide-ranging sources and functions. These compounds originate from major pathways of secondary metabolism in many organisms and play essential roles in chemical ecology in both plant and animal kingdoms. In past decades, sampling methods and instrumentation for the analysis of complex volatile mixtures have improved; however, design and implementation of database tools to process and store the complex datasets have lagged behind. The volatile compound BinBase (VOC BinBase) database system was developed for the analysis of GC-TOF-MS data derived from complex volatile mixtures. ", + "listName": "VOCBINBASE", "chemicalCount": 211, "createdAt": "2019-09-13T11:46:22Z", "updatedAt": "2020-04-23T15:54:43Z", - "listName": "VOCBINBASE", "shortDescription": "The volatile compound BinBase (VOC BinBase) database system was developed for the analysis of GC-TOF-MS data derived from complex volatile mixtures. " }, { "id": 664, "type": "other", - "label": "LIST: VOLATILOME: Human Breath", "visibility": "PUBLIC", + "label": "LIST: VOLATILOME: Human Breath", "longDescription": "This list is a subset of compounds detected in human breath and reported in the peer-reviewed literature and identified in experimental work at US-EPA. The bulk of the collection is extracted from the articles \"The human volatilome: volatile organic compounds (VOCs) in exhaled breath, skin emanations, urine, feces and saliva\" by Amman et al (DOI:10.1088/1752-7155/8/3/034001<\/a>), from the review \"A review of the volatiles from the healthy human body\" by de Lacy Costello et al (DOI:10.1088/1752-7155/8/1/014001<\/a>) and from the article \"On-line analysis of exhaled breath\", by Bruderer et al (DOI:10.1021/acs.chemrev.9b00005<\/a>) as well as an increasing number of chemicals identified in our own laboratory studies.", + "listName": "VOLATILOME", "chemicalCount": 1178, "createdAt": "2019-05-06T20:10:55Z", "updatedAt": "2023-10-16T15:08:37Z", - "listName": "VOLATILOME", "shortDescription": "A subset of compounds detected in human breath" }, { "id": 800, "type": "other", - "label": "LIST: VOLATILOME polar, semi-volatile, and condensed phase organic compounds found in human blood, condensed breath and urine", "visibility": "PUBLIC", + "label": "LIST: VOLATILOME polar, semi-volatile, and condensed phase organic compounds found in human blood, condensed breath and urine", "longDescription": "This list is a subset of compounds detected in human biological media including blood, dried blood spots (DBS), urine, exhaled breath condensate (EBC), and exhaled breath aerosols (EBA). The compounds are polar and semi-volatile compounds from experimental work at US-EPA, from the literature including de Lacy Costello et al in J. Breath Res. 8 (2014) 034001 (DOI:10.1088/1752-7155/8/3/034001), and from lists contributed by research colleagues.", + "listName": "VOLATILOME2", "chemicalCount": 133, "createdAt": "2019-11-16T20:02:36Z", "updatedAt": "2019-11-16T20:05:59Z", - "listName": "VOLATILOME2", "shortDescription": "VOLATILOME subset of compounds detected in human biological media including blood, dried blood spots (DBS), urine, exhaled breath condensate (EBC), and exhaled breath aerosols (EBA). " }, { "id": 884, "type": "other", - "label": "LIST: VOLATILOME: Saliva", "visibility": "PUBLIC", + "label": "LIST: VOLATILOME: Saliva", "longDescription": "This list is a subset of compounds detected in saliva and reported in the peer-reviewed literature and identified in experimental work at US-EPA. The collection is extracted from the article \"The human volatilome: volatile organic compounds (VOCs) in exhaled breath, skin emanations, urine, feces and saliva\" by de Lacy Costello et al in J. Breath Res. 8 (2014) 034001 (DOI:10.1088/1752-7155/8/3/034001<\/a>).\r\n\r\n", + "listName": "VOLATILSALIVA", "chemicalCount": 307, "createdAt": "2020-04-22T09:44:50Z", "updatedAt": "2020-04-22T09:45:15Z", - "listName": "VOLATILSALIVA", "shortDescription": "This list is a subset of compounds detected in saliva" }, { "id": 977, "type": "other", - "label": "WEAPONS: Wassenaar Arrangement ML7 Chemicals", "visibility": "PUBLIC", + "label": "WEAPONS: Wassenaar Arrangement ML7 Chemicals", "longDescription": "The Wassenaar Arrangement is an international framework that was established with the objective of “promoting transparency and greater responsibility in transfers of conventional arms and dual-use goods and technologies.”\r\n\r\nWithin its Munitions List 7 (ML7), the Wassenaar Arrangement features chemical agents, biological agents, riot control agents, radioactive materials, related equipment, components, and materials.\r\n\r\nThis data collection is sourced from the Constanzi Research group<\/a>.", + "listName": "WAML7WEAPONS", "chemicalCount": 35, "createdAt": "2020-08-15T18:38:05Z", "updatedAt": "2020-08-15T18:40:17Z", - "listName": "WAML7WEAPONS", "shortDescription": "The Wassenaar Arrangement is an international framework that was established with the objective of “promoting transparency and greater responsibility in transfers of conventional arms and dual-use goods and technologies.”" }, { "id": 779, "type": "other", - "label": "MASSPECDB|WATER: Agilent Water Screening PCDL", "visibility": "PUBLIC", + "label": "MASSPECDB|WATER: Agilent Water Screening PCDL", "longDescription": "Chemical list derived from the Agilent Water Screening Personal Compound Database and Library (PCDL). Agilent’s curated accurate-mass water screening compound database contains over 1400 compounds including contaminants of emerging concern and compounds present in major water regulations. Details are available here:Water Screening PCDL<\/a>.", + "listName": "WATERPCDL1", "chemicalCount": 1431, "createdAt": "2019-11-16T12:41:28Z", "updatedAt": "2022-07-12T13:00:10Z", - "listName": "WATERPCDL1", "shortDescription": "Chemical list derived from the Agilent Water Screening Personal Compound Database and Library (PCDL)" }, { "id": 662, "type": "other", - "label": "EPA|HTTK: Hepatic metabolic clearance and plasma protein binding data PHASE 1", "visibility": "PUBLIC", + "label": "EPA|HTTK: Hepatic metabolic clearance and plasma protein binding data PHASE 1", "longDescription": "Data from the Wetmore et al.<\/i> paper Integration of dosimetry, exposure, and high-throughput screening data in chemical toxicity assessment<\/a>. Hepatic metabolic clearance and plasma protein binding data were experimentally measured for ca. 240 ToxCast Phase I chemicals. The experimental data were used in a population-based in vitro<\/i>-to-in vivo<\/i> (IVIVE) extrapolation model to estimate the daily human oral dose, called the oral equivalent dose, necessary to produce steady-state in vivo<\/i> blood concentrations equivalent to in vitro<\/i> AC(50) (concentration at 50% of maximum activity) or lowest effective concentration values across more than 500 in vitro<\/i> assays.\r\n\r\nThe work was split into two phases. This is phase 1 (2012) and the second phase is available here (2015)<\/a>.\r\n\r\n\r\n\r\n", + "listName": "WETMORE2012", "chemicalCount": 238, "createdAt": "2019-05-05T12:54:39Z", "updatedAt": "2019-05-18T21:06:48Z", - "listName": "WETMORE2012", "shortDescription": "Hepatic metabolic clearance and plasma protein binding data from Wetmore et al.<\/i> PHASE 1" }, { "id": 663, "type": "other", - "label": "EPA|HTTK: Hepatic metabolic clearance and plasma protein binding data PHASE 2 ", "visibility": "PUBLIC", + "label": "EPA|HTTK: Hepatic metabolic clearance and plasma protein binding data PHASE 2 ", "longDescription": "Data from the Wetmore et al.<\/i> paper Integration of dosimetry, exposure, and high-throughput screening data in chemical toxicity assessment<\/a>. Hepatic metabolic clearance and plasma protein binding data were experimentally measured for ca. 170 ToxCast Phase II chemicals. The experimental data were used in a population-based in vitro<\/i>-to-in vivo<\/i> (IVIVE) extrapolation model to estimate the daily human oral dose, called the oral equivalent dose, necessary to produce steady-state in vivo<\/i> blood concentrations equivalent to in vitro<\/i> AC(50) (concentration at 50% of maximum activity) or lowest effective concentration values across more than 500 in vitro<\/i> assays.\r\n\r\nThe work was split into two phases. This is phase 2 (2015) and the first phase is available here (2012)<\/a>.\r\n\r\n\r\n\r\n\r\n", + "listName": "WETMORE2015", "chemicalCount": 178, "createdAt": "2019-05-05T12:57:56Z", "updatedAt": "2019-05-18T21:07:03Z", - "listName": "WETMORE2015", "shortDescription": "Hepatic metabolic clearance and plasma protein binding data from Wetmore et al.<\/i> PHASE 2" }, { "id": 1038, "type": "other", - "label": "CATEGORY|WIKILIST|ANTIFUNGALS: ANTIFUNGALS from Wikipedia", "visibility": "PUBLIC", + "label": "CATEGORY|WIKILIST|ANTIFUNGALS: ANTIFUNGALS from Wikipedia", "longDescription": "A list of Antifungals extracted from the Wikipedia Category page: Wikipedia list<\/a>. ", + "listName": "WIKIANTIFUNGALS", "chemicalCount": 58, "createdAt": "2020-11-11T23:19:56Z", "updatedAt": "2020-11-16T11:03:45Z", - "listName": "WIKIANTIFUNGALS", "shortDescription": "A list of Antifungals extracted from Wikipedia." }, { "id": 1048, "type": "other", - "label": "CATEGORY|WIKILIST|ANTIOXIDANTS", "visibility": "PUBLIC", + "label": "CATEGORY|WIKILIST|ANTIOXIDANTS", "longDescription": "A list of Antioxidants extracted from the Wikipedia Category page: https://en.wikipedia.org/wiki/Category:Antioxidants<\/a>", + "listName": "WIKIANTIOXIDANTS", "chemicalCount": 271, "createdAt": "2020-12-11T14:05:14Z", "updatedAt": "2021-08-07T11:03:33Z", - "listName": "WIKIANTIOXIDANTS", "shortDescription": "A list of Antioxidants extracted from Wikipedia" }, { "id": 1029, "type": "other", - "label": "CATEGORY|WIKILIST: ANTIVIRALS from Wikipedia", "visibility": "PUBLIC", + "label": "CATEGORY|WIKILIST: ANTIVIRALS from Wikipedia", "longDescription": "A list of Antivirals extracted from the Wikipedia Category page: https://en.wikipedia.org/wiki/Category:Antivirals\r\n\r\n", + "listName": "WIKIANTIVIRALS", "chemicalCount": 101, "createdAt": "2020-10-13T10:00:01Z", "updatedAt": "2020-10-28T08:50:17Z", - "listName": "WIKIANTIVIRALS", "shortDescription": "List of Antivirals in Wikipedia" }, { "id": 1674, "type": "other", - "label": "CATEGORY|WIKILIST: Explosive chemicals from Wikipedia", "visibility": "PUBLIC", + "label": "CATEGORY|WIKILIST: Explosive chemicals from Wikipedia", "longDescription": "A list of explosive chemicals compiled from the Wikipedia Category page: Wikipedia list<\/a>. ", + "listName": "WIKIEXPLOSIVES", "chemicalCount": 129, "createdAt": "2022-12-08T21:45:51Z", "updatedAt": "2022-12-08T21:48:00Z", - "listName": "WIKIEXPLOSIVES", "shortDescription": "A list of explosives compiled from the Wikipedia Category page for Explosive chemicals." }, { "id": 1021, "type": "other", - "label": "CATEGORY|WIKILIST: Herbicides from Wikipedia", "visibility": "PUBLIC", + "label": "CATEGORY|WIKILIST: Herbicides from Wikipedia", "longDescription": "A list of herbicides compiled from the Wikipedia Category page: Wikipedia list<\/a>. List is incomplete and undergoing ongoing curation. ", + "listName": "WIKIHERBICIDES", "chemicalCount": 84, "createdAt": "2020-09-18T09:29:01Z", "updatedAt": "2020-10-27T11:14:29Z", - "listName": "WIKIHERBICIDES", "shortDescription": "A list of herbicides compiled from the Wikipedia Category page for Herbicides." }, { "id": 1031, "type": "other", - "label": "CATEGORY|WIKILIST: Insecticides from Wikipedia", "visibility": "PUBLIC", + "label": "CATEGORY|WIKILIST: Insecticides from Wikipedia", "longDescription": "List of Insecticides from Wikipedia Category page: https://en.wikipedia.org/wiki/Category:Insecticides\r\n", + "listName": "WIKIINSECTICIDES", "chemicalCount": 80, "createdAt": "2020-10-27T16:31:13Z", "updatedAt": "2020-10-28T08:51:58Z", - "listName": "WIKIINSECTICIDES", "shortDescription": "List of Insecticides extracted from Wikipedia" }, { "id": 1037, "type": "other", - "label": "CATEGORY|WIKILIST|NSAIDS: NSAIDS from Wikipedia", "visibility": "PUBLIC", + "label": "CATEGORY|WIKILIST|NSAIDS: NSAIDS from Wikipedia", "longDescription": "A list of Nonsteroidal anti-inflammatory drug extracted from the Wikipedia Category page: Wikipedia list<\/a>. ", + "listName": "WIKINSAIDS", "chemicalCount": 107, "createdAt": "2020-11-11T22:21:15Z", "updatedAt": "2020-11-16T11:16:32Z", - "listName": "WIKINSAIDS", "shortDescription": "A list of Nonsteroidal anti-inflammatory drug extracted from Wikipedia." }, { "id": 2006, "type": "other", - "label": "LIST: Wikipedia Chemicals_0303_2024", "visibility": "PUBLIC", + "label": "LIST: Wikipedia Chemicals_0303_2024", "longDescription": "Wikipedia includes data for thousands of chemicals. ChemBoxes and DrugBoxes includes data such as CAS Registry Numbers, SMILES and InChIs. This list is an assembly from various Wikipedia pages and is a list under ongoing curation and expansion (last updated 03/3/2024).", + "listName": "WIKIPEDIA", "chemicalCount": 20438, "createdAt": "2024-03-03T21:28:26Z", "updatedAt": "2024-03-03T21:36:19Z", - "listName": "WIKIPEDIA", "shortDescription": "Wikipedia includes data for thousands of chemicals. ChemBoxes and DrugBoxes includes data such as CAS Registry Numbers, SMILES and InChIs." }, + { + "id": 235, + "type": "other", + "visibility": "PUBLIC", + "label": "LIST: Wikipedia Chemicals", + "longDescription": "Wikipedia includes data for thousands of chemicals. ChemBoxes and DrugBoxes includes data such as CAS Registry Numbers, SMILES and InChIs. This list is an assembly from various Wikipedia pages and is a list under ongoing curation and expansion (last updated 12/11/2023).", + "listName": "WIKIPEDIA_OLD02032023", + "chemicalCount": 21678, + "createdAt": "2016-06-17T13:01:58Z", + "updatedAt": "2024-02-23T14:44:00Z", + "shortDescription": "Wikipedia includes data for thousands of chemicals. ChemBoxes and DrugBoxes includes data such as CAS Registry Numbers, SMILES and InChIs. " + }, + { + "id": 2000, + "type": "other", + "visibility": "PUBLIC", + "label": "LIST: Wikipedia Chemicals", + "longDescription": "Wikipedia includes data for thousands of chemicals. ChemBoxes and DrugBoxes includes data such as CAS Registry Numbers, SMILES and InChIs. This list is an assembly from various Wikipedia pages and is a list under ongoing curation and expansion (last updated 03/23/2024).", + "listName": "WIKIPEDIA_OLD0223_2024", + "chemicalCount": 21628, + "createdAt": "2024-02-23T14:44:52Z", + "updatedAt": "2024-03-03T21:27:15Z", + "shortDescription": "Wikipedia includes data for thousands of chemicals. ChemBoxes and DrugBoxes includes data such as CAS Registry Numbers, SMILES and InChIs. " + }, { "id": 1036, "type": "other", - "label": "CATEGORY|WIKILIST|RODENTICIDES: RODENTICIDES from Wikipedia", "visibility": "PUBLIC", + "label": "CATEGORY|WIKILIST|RODENTICIDES: RODENTICIDES from Wikipedia", "longDescription": "A list of rodenticides extracted from the Wikipedia Category page: Wikipedia list<\/a>.", + "listName": "WIKIRODENTICIDES", "chemicalCount": 33, "createdAt": "2020-11-11T21:39:02Z", "updatedAt": "2020-11-16T11:28:28Z", - "listName": "WIKIRODENTICIDES", "shortDescription": "A list of rodenticides extracted from Wikipedia." }, { "id": 1022, "type": "other", - "label": "CATEGORY|WIKILIST: Solvents from Wikipedia", "visibility": "PUBLIC", + "label": "CATEGORY|WIKILIST: Solvents from Wikipedia", "longDescription": "A list of solvents as compiled from the Solvent Wikipedia list<\/a>.", + "listName": "WIKISOLVENTS", "chemicalCount": 223, "createdAt": "2020-09-24T20:43:52Z", "updatedAt": "2020-10-27T13:56:47Z", - "listName": "WIKISOLVENTS", "shortDescription": "A list of solvents as compiled from the Solvent Wikipedia list." }, { "id": 1047, "type": "other", - "label": "CATEGORY|WIKILIST|SURFACTANTS: Surfactants from Wikipedia", "visibility": "PUBLIC", + "label": "CATEGORY|WIKILIST|SURFACTANTS: Surfactants from Wikipedia", "longDescription": "A list of Surfactants extracted from the Wikipedia Category page: https://en.wikipedia.org/wiki/Category:Surfactants<\/a>", + "listName": "WIKISURFACTANTS", "chemicalCount": 96, "createdAt": "2020-11-19T14:25:53Z", "updatedAt": "2021-08-07T11:02:24Z", - "listName": "WIKISURFACTANTS", "shortDescription": "A list of Surfactants extracted from Wikipedia" }, { "id": 807, "type": "other", - "label": "LIST: WormJam: C. elegans metabolic reconstruction", "visibility": "PUBLIC", + "label": "LIST: WormJam: C. elegans metabolic reconstruction", "longDescription": "WormJam (short for Worm Jamboree) is being established as a platform for a community effort towards reconciliation of existing and expansion of the unified C. elegans metabolic reconstruction as described in \"WormJam: A consensus C. elegans Metabolic Reconstruction and Metabolomics Community and Workshop Series\"(https://www.tandfonline.com/doi/full/10.1080/21624054.2017.1373939<\/a>). With the increasing recognition of metabolism as being of pivotal importance for ageing, development, disease mechanisms as well as evolution, the availability of a community-driven consensus reconstruction of C. elegans metabolism will lay the foundation for bringing C. elegans to the forefront of metabolism research. This is a PARTIAL set of the full list of chemicals archived at \r\nhttps://doi.org/10.5281/zenodo.3403364<\/a>", + "listName": "WORMJAM", "chemicalCount": 416, "createdAt": "2019-11-17T22:51:49Z", "updatedAt": "2019-11-17T22:55:19Z", - "listName": "WORMJAM", "shortDescription": "WormJam: community effort for a unified C. elegans metabolic reconstruction" }, { "id": 658, "type": "other", - "label": "WATER|NORMAN: GC-HRMS target list of the Slovak Water Research Institute", "visibility": "PUBLIC", + "label": "WATER|NORMAN: GC-HRMS target list of the Slovak Water Research Institute", "longDescription": "GC-HRMS target list of the Slovak Water Research Institute (WRI). The method was established by Agilent. The list was provided to the NORMAN Suspect List Exchange<\/a> by Michal Kirchner (Slovak Water Research Institute, WRI) and curated by Nikiforos Alygizakis (Environmental Institute at the University of Athens)\r\n\r\n ", + "listName": "WRIGCHRMS", "chemicalCount": 814, "createdAt": "2019-05-03T13:14:01Z", "updatedAt": "2019-05-18T21:20:50Z", - "listName": "WRIGCHRMS", "shortDescription": "GC-HRMS target list of the Slovak Water Research Institute (WRI)." }, { "id": 584, "type": "other", - "label": "MASSPECDB: Wiley Registry of Tandem Mass Spectral Data, MSforID", "visibility": "PUBLIC", + "label": "MASSPECDB: Wiley Registry of Tandem Mass Spectral Data, MSforID", "longDescription": "The \"Wiley Registry of Tandem Mass Spectral Data, MSforID\" is a library of high-quality tandem mass spectral data acquired on a QqTOF instrument. Each compound has been carefully measured in a series of controlled conditions to enable accurate, reliable, and reproducible search results in a variety of settings. It is combined with a tailor-made search algorithm to create a robust and transferable identification tool. The database can be searched with data from any type of tandem mass spectrometric instrument. Compounds covered include illicit drugs, pharmaceuticals, pesticides, endogenous compounds and other small bioorganic molecules. The library has been developed by Herbert Oberacher (Institute of Legal Medicine of the Medical University of Innsbruck, Austria). More information on the library and applications are available at www.msforid.com", + "listName": "WRTMSD", "chemicalCount": 1429, "createdAt": "2018-11-16T15:24:42Z", "updatedAt": "2018-11-18T20:06:19Z", - "listName": "WRTMSD", "shortDescription": "This is a list of all the compounds contained in the \"Wiley Registry of Tandem Mass Spectral Data, MSforID\" authored by Herbert Oberacher (Institute of Legal Medicine of the Medical University of Innsbruck, Austria). Further information at www.msforid.com" }, { "id": 1352, "type": "other", - "label": "NORMAN: ZeroPM Box 1 Substances from the H2020 Project ", "visibility": "PUBLIC", + "label": "NORMAN: ZeroPM Box 1 Substances from the H2020 Project ", "longDescription": "This list contains representative PFAS, triazoles and triazines, the \"Box 1\" substances to kick-off the H2020 project ZeroPM<\/a>, hosted by the NORMAN Suspect List Exchange (https://www.norman-network.com/nds/SLE/<\/a>. Dataset DOI: 10.5281/zenodo.5854251<\/a>.\r\n", + "listName": "ZEROPMBOX1", "chemicalCount": 37, "createdAt": "2022-01-22T15:14:33Z", "updatedAt": "2022-01-22T15:20:11Z", - "listName": "ZEROPMBOX1", "shortDescription": "This list contains representative PFAS, triazoles and triazines, the \"Box 1\" substances to kick-off the H2020 project ZeroPM." }, { "id": 695, "type": "other", - "label": "CATEGORY|PHARMACEUTICALS: >8600 Pharmaceuticals from ZINC15", "visibility": "PUBLIC", + "label": "CATEGORY|PHARMACEUTICALS: >8600 Pharmaceuticals from ZINC15", "longDescription": "A list of >8600 pharmaceuticals retrieved from ZINC15, curated and provided by Reza Aalizadeh, University of Athens. \r\n", + "listName": "ZINC15PHARMA", "chemicalCount": 5127, "createdAt": "2019-06-21T23:21:21Z", "updatedAt": "2020-10-11T10:46:51Z", - "listName": "ZINC15PHARMA", "shortDescription": "A list of >8600 pharmaceuticals retrieved from ZINC15, curated and provided by Reza Aalizadeh, University of Athens. \r\n" }, { "id": 2039, "type": "state", - "label": "California Safe Cosmetics Program (CSCP) Product Database", "visibility": "PUBLIC", + "label": "California Safe Cosmetics Program (CSCP) Product Database", "longDescription": "The California Safe Cosmetics Act (CSCA) was signed into law in 2005. The Cosmetic Fragrance and Flavor Ingredient Right to Know Act (CFFIRKA) was signed into law in 2020. For all cosmetics sold in California, these laws require the manufacturer, packer, and/or distributor named on the product label to report to the California Department of Public Health (CDPH) all cosmetics that contain any ingredients known or suspected to cause harm, as described in authorizative lists specfied in these laws. The California Safe Cosmetics Program (CSCP) is charged with implementing CSCA and CFFIRKA. The goal of CSCP is to collect and share information on hazardous and potentially hazardous ingredients in cosmetics sold in California and to make this information available to the public. The California Safe Cosmetics Program (CSCP) Product Database is available online<\/a>.\r\n\r\nThis list release is a partial registration and curation is underway as of March 12th 2024. ", + "listName": "CALCSCP", "chemicalCount": 3000, "createdAt": "2024-03-12T00:47:12Z", "updatedAt": "2024-03-12T00:56:14Z", - "listName": "CALCSCP", "shortDescription": "California Safe Cosmetics Program (CSCP) Product Database" }, { "id": 1322, "type": "state", - "label": "CalSAFER Safer Consumer Products Information Management System ", "visibility": "PUBLIC", + "label": "CalSAFER Safer Consumer Products Information Management System ", "longDescription": "The Safer Consumer Products (SCP) Program implements California’s Green Chemistry law which aims to reduce toxic chemicals in consumer products. The SCP regulations require manufacturers to look for safer alternatives for potentially hazardous products. CalSAFER is a data management system maintained by the Department of Toxic Substances Control (DTSC). It operates as the information center for the regulatory activities of the Safer Consumer Products Program (SCP).", + "listName": "CALSAFER", "chemicalCount": 2417, "createdAt": "2021-10-25T20:19:54Z", "updatedAt": "2021-10-25T20:27:40Z", - "listName": "CALSAFER", "shortDescription": "The CalSAFER data management system maintained by the California Department of Toxic Substances Control (DTSC) operates as the information center for the regulatory activities of the Safer Consumer Products Program (SCP)." }, { "id": 618, "type": "state", - "label": "WATER: California Water Boards Additive Information", "visibility": "PUBLIC", + "label": "WATER: California Water Boards Additive Information", "longDescription": "California Central Valley water board oil field additive constituents list (Additive Information Updated June 2018)\r\n", + "listName": "CALWATERBDS", "chemicalCount": 282, "createdAt": "2019-03-26T21:21:52Z", "updatedAt": "2019-11-16T10:18:51Z", - "listName": "CALWATERBDS", "shortDescription": "California Central Valley water board oil field additive constituents list" }, { "id": 714, "type": "state", - "label": "LIST: Minnesota Department of Health Chemicals of High Concern and Priority Chemicals", "visibility": "PUBLIC", + "label": "LIST: Minnesota Department of Health Chemicals of High Concern and Priority Chemicals", "longDescription": "During the 2009 legislative session, the Toxic Free Kids Act (Minn. Stat. 2010 116.9401 – 116.9407), was passed and signed into law by the governor. The Minnesota Department of Health (MDH) is required to review and revise the Chemicals of High Concern list at least every three years. The Toxic Free Kids Program published the third update of the Chemicals of High Concern list June 28, 2019. A report describing this process as well as public education efforts can be found on the Reports page. The fourth update of the Chemicals of High Concern list is scheduled for July 2022.

\r\n\r\n\r\nThrough the Toxic Free Kids (TFK) program, MDH is working to identify and communicate the potential for hazardous chemical exposures which could be harmful to human health, particularly to vulnerable or susceptible populations, such as children and pregnant women.

\r\n\r\n\r\nURL for original data:
https://www.health.state.mn.us/communities/environment/childenvhealth/tfka/index.html<\/a>

\r\n", + "listName": "MNDOHTOXFREE", "chemicalCount": 1717, "createdAt": "2019-09-15T18:57:18Z", "updatedAt": "2021-08-07T14:13:20Z", - "listName": "MNDOHTOXFREE", "shortDescription": "The Minnesota Department of Health Toxic Free Kids Program Chemicals of High Concern list." }, { "id": 1692, "type": "state", - "label": "LIST: Minnesota Department of Health Chemicals of High Concern and Priority Chemicals (Last updated January 27th 2023)", "visibility": "PUBLIC", + "label": "LIST: Minnesota Department of Health Chemicals of High Concern and Priority Chemicals (Last updated January 27th 2023)", "longDescription": "This is the 2022 Update of the Minnesota Department of Health (MDH) Chemicals of High Concern List. The Toxic Free Kids Program published the fourth update of the Chemicals of High Concern list July 1, 2022. During the 2009 legislative session, the Toxic Free Kids Act (Minn. Stat. 2010 116.9401 – 116.9407), was passed and signed into law by the governor. MDH is required to review and revise the Chemicals of High Concern list at least every three years. A report describing this process as well as public education efforts can be found on the Reports page. The fifth update of the Chemicals of High Concern list is scheduled for July 2025.

\r\n\r\nThrough the Toxic Free Kids (TFK) program, MDH is working to identify and communicate the potential for hazardous chemical exposures which could be harmful to human health, particularly to vulnerable or susceptible populations, such as children and pregnant women.

\r\n\r\nURL for original data:
https://www.health.state.mn.us/communities/environment/childenvhealth/tfka/index.html<\/a>

\r\n\r\n(Last updated January 27th 2023) ", + "listName": "MNDOHTOXFREE2022", "chemicalCount": 1727, "createdAt": "2023-01-29T01:53:08Z", "updatedAt": "2023-01-29T01:58:40Z", - "listName": "MNDOHTOXFREE2022", "shortDescription": "The Minnesota Department of Health Toxic Free Kids Program Chemicals of High Concern list (Last updated January 27th 2023)" }, { "id": 378, "type": "state", - "label": "California Office of Environmental Health Hazard Assessment ", "visibility": "PUBLIC", + "label": "California Office of Environmental Health Hazard Assessment ", "longDescription": "The Office of Environmental Health Hazard Assessment (OEHHA) is the lead state agency for the assessment of health risks posed by environmental contaminants. OEHHA’s mission is to protect human health and the environment through scientific evaluation of risks posed by hazardous substances. The Office is one of five state departments within the California Environmental Protection Agency (CalEPA). The OEHHA Chemical Database is a searchable compilation of health hazard information developed by OEHHA, including reference exposure levels, California public health goals, child-specific reference doses, Proposition 65 safe harbor numbers, and soil-screening levels.", + "listName": "OEHHA", "chemicalCount": 993, "createdAt": "2017-07-09T22:06:56Z", "updatedAt": "2021-08-17T06:46:16Z", - "listName": "OEHHA", "shortDescription": "The OEHHA Chemical Database is a compilation of health hazard information including reference exposure levels, California public health goals, child-specific reference doses, Propos. 65 safe harbor numbers and soil-screening levels." }, { "id": 819, "type": "state", - "label": "WATER: Regional Monitoring Program for Water Quality in San Francisco Bay", "visibility": "PUBLIC", + "label": "WATER: Regional Monitoring Program for Water Quality in San Francisco Bay", "longDescription": "The Regional Monitoring Program for Water Quality in San Francisco Bay (RMP) provides the information that regulators and decision-makers need to manage the Bay effectively. The RMP is an innovative collaborative effort between the
San Francisco Estuary Institute (SFEI)<\/a>, the Regional Water Quality Control Board<\/a>, and the regulated discharger community. \r\n\r\nThe RMP has produced a world-class dataset on estuarine contaminants. Monitoring performed in the RMP determines spatial patterns and long-term trends in contamination through sampling of water, sediment, bivalves, bird eggs, and fish, and evaluates toxic effects on sensitive organisms and chemical loading to the Bay. The Program combines RMP data with data from other sources to provide for comprehensive assessment of chemical contamination in the Bay.\r\n\r\nFor more information, visit https://www.sfei.org/programs/sf-bay-regional-monitoring-program<\/a>.", + "listName": "SFEIWATER", "chemicalCount": 1084, "createdAt": "2019-11-18T09:07:36Z", "updatedAt": "2019-11-18T09:10:30Z", - "listName": "SFEIWATER", "shortDescription": "Chemicals monitored in the Regional Monitoring Program for Water Quality in San Francisco Bay (RMP)" } ] diff --git a/tests/testthat/chemical/chemical/list/search/by-dtxsid.R b/tests/testthat/chemical/chemical/list/search/by-dtxsid.R index 6f14fed..19b1afd 100644 --- a/tests/testthat/chemical/chemical/list/search/by-dtxsid.R +++ b/tests/testthat/chemical/chemical/list/search/by-dtxsid.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/list/search/by-dtxsid/", status_code = 404L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:14:01 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:11 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "8e991833-0f03-4b12-5924-adc3b664d9c8", + `x-vcap-request-id` = "65bbc76e-88b3-4754-7a13-d75dc167298a", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "sm3ceK6YRJAWQgsD3i2MY4FxuTK9s264wmDrjiu_DrrTNg1qzgYp6A=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "LF0ctnYjJ2bjsSYrm1QoGP3uKiyn-mtjR3KCBq8_w708NFsK5an1Lw=="), class = c("insensitive", "list")), all_headers = list(list(status = 404L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:14:01 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:11 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "8e991833-0f03-4b12-5924-adc3b664d9c8", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "65bbc76e-88b3-4754-7a13-d75dc167298a", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "sm3ceK6YRJAWQgsD3i2MY4FxuTK9s264wmDrjiu_DrrTNg1qzgYp6A=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "LF0ctnYjJ2bjsSYrm1QoGP3uKiyn-mtjR3KCBq8_w708NFsK5an1Lw=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -39,7 +39,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/list/search/by-dtxsid/", 0x65, 0x6d, 0x69, 0x63, 0x61, 0x6c, 0x2f, 0x6c, 0x69, 0x73, 0x74, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, 0x64, 0x74, 0x78, 0x73, 0x69, 0x64, 0x2f, 0x22, - 0x0a, 0x7d)), date = structure(1716311641, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 5.3e-05, - connect = 0, pretransfer = 0.000203, starttransfer = 0.267954, - total = 0.267999)), class = "response") + 0x0a, 0x7d)), date = structure(1724876411, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 7.4e-05, + connect = 0, pretransfer = 0.000189, starttransfer = 0.216418, + total = 0.216448)), class = "response") diff --git a/tests/testthat/chemical/chemical/list/search/by-dtxsid/DTXSID7020182.json b/tests/testthat/chemical/chemical/list/search/by-dtxsid/DTXSID7020182.json index 4de432e..773a2e4 100644 --- a/tests/testthat/chemical/chemical/list/search/by-dtxsid/DTXSID7020182.json +++ b/tests/testthat/chemical/chemical/list/search/by-dtxsid/DTXSID7020182.json @@ -956,6 +956,17 @@ "2019-11-16T18:14:28.000+00:00", "2019-11-16T18:36:25.000+00:00" ], + [ + "ELSIEV2", + "EXTRACTABLES: Extractables & Leachables Safety Information Exchange (ELSIE)", + "other", + "PUBLIC", + "ELSIE: Extractables and Leachables Safety Information Exchange", + "The Extractables and Leachables Safety Information Exchange (ELSIE: https://www.elsiedata.org/) was established by scientists in pharmaceuticals companies to advance the concept of sharing pre-competitive safety information on extractables and leachables, among industry. The vision was that such a collaborative effort would reduce duplicative safety studies across companies, streamline development projects, and allow industry and other stakeholders to share experiences and information to help advance the practice and science of extractables, leachables and materials evaluation. (Updated June 23rd 2024)", + 502, + "2022-08-19T15:54:22.000+00:00", + "2024-06-23T21:53:48.000+00:00" + ], [ "EPACONS", "EPA: Consumer Products Suspect Screening Result", @@ -1748,6 +1759,28 @@ "2024-03-03T21:28:26.000+00:00", "2024-03-03T21:36:19.000+00:00" ], + [ + "WIKIPEDIA_OLD02032023", + "LIST: Wikipedia Chemicals", + "other", + "PUBLIC", + "Wikipedia includes data for thousands of chemicals. ChemBoxes and DrugBoxes includes data such as CAS Registry Numbers, SMILES and InChIs. ", + "Wikipedia includes data for thousands of chemicals. ChemBoxes and DrugBoxes includes data such as CAS Registry Numbers, SMILES and InChIs. This list is an assembly from various Wikipedia pages and is a list under ongoing curation and expansion (last updated 12/11/2023).", + 21678, + "2016-06-17T13:01:58.000+00:00", + "2024-02-23T14:44:00.000+00:00" + ], + [ + "WIKIPEDIA_OLD0223_2024", + "LIST: Wikipedia Chemicals", + "other", + "PUBLIC", + "Wikipedia includes data for thousands of chemicals. ChemBoxes and DrugBoxes includes data such as CAS Registry Numbers, SMILES and InChIs. ", + "Wikipedia includes data for thousands of chemicals. ChemBoxes and DrugBoxes includes data such as CAS Registry Numbers, SMILES and InChIs. This list is an assembly from various Wikipedia pages and is a list under ongoing curation and expansion (last updated 03/23/2024).", + 21628, + "2024-02-23T14:44:52.000+00:00", + "2024-03-03T21:27:15.000+00:00" + ], [ "CALCSCP", "California Safe Cosmetics Program (CSCP) Product Database", diff --git a/tests/testthat/chemical/chemical/list/search/by-name-8b6df7.R b/tests/testthat/chemical/chemical/list/search/by-name-8b6df7.R index 212b2c5..1b495f0 100644 --- a/tests/testthat/chemical/chemical/list/search/by-name-8b6df7.R +++ b/tests/testthat/chemical/chemical/list/search/by-name-8b6df7.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/list/search/by-name/?projection=chemicallistwithdtxsids", status_code = 404L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:14:03 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:13 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "ff9eafa1-182d-43c3-470a-4d566aaef843", + `x-vcap-request-id` = "660bf2b4-e204-4877-6ded-3209a84dc8a5", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "GrEWzFjUC6jDxkUHY4KzN6nh_M8hH6vWYSVIVHaUyA7d6JOSDHj7hw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "YKwObzYEDhL_cbRY-HnZmU5DdKbzQ9bZY39ndwXQL_e0f2xa3QEs_g=="), class = c("insensitive", "list")), all_headers = list(list(status = 404L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:14:03 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:13 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "ff9eafa1-182d-43c3-470a-4d566aaef843", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "660bf2b4-e204-4877-6ded-3209a84dc8a5", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "GrEWzFjUC6jDxkUHY4KzN6nh_M8hH6vWYSVIVHaUyA7d6JOSDHj7hw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "YKwObzYEDhL_cbRY-HnZmU5DdKbzQ9bZY39ndwXQL_e0f2xa3QEs_g=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -38,7 +38,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/list/search/by-name/?pro 0x22, 0x20, 0x3a, 0x20, 0x22, 0x2f, 0x63, 0x68, 0x65, 0x6d, 0x69, 0x63, 0x61, 0x6c, 0x2f, 0x6c, 0x69, 0x73, 0x74, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, - 0x6e, 0x61, 0x6d, 0x65, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1716311643, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.8e-05, - connect = 0, pretransfer = 0.000179, starttransfer = 0.336859, - total = 0.336889)), class = "response") + 0x6e, 0x61, 0x6d, 0x65, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1724876413, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.8e-05, + connect = 0, pretransfer = 9.6e-05, starttransfer = 0.213026, + total = 0.213057)), class = "response") diff --git a/tests/testthat/chemical/chemical/list/search/by-name.R b/tests/testthat/chemical/chemical/list/search/by-name.R index 91ab1b8..6473a4b 100644 --- a/tests/testthat/chemical/chemical/list/search/by-name.R +++ b/tests/testthat/chemical/chemical/list/search/by-name.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/list/search/by-name/", status_code = 404L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:14:01 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:10 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "0c81d550-69b6-40ed-51e8-0fca91b21d3c", + `x-vcap-request-id` = "a6ee2379-02f7-40ba-4013-b9c251d3e76a", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "A-vyjMg3Bn0B7ANm3TJ6q2fnBsC76Dh3OcYlWhwBkMarZYZ3lB8Nyw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "f_8CSyhwKPsQjfBILF9KpZ8l_zFz1FFop6MZxLcrvugpc-uni_-pag=="), class = c("insensitive", "list")), all_headers = list(list(status = 404L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:14:01 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:10 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "0c81d550-69b6-40ed-51e8-0fca91b21d3c", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "a6ee2379-02f7-40ba-4013-b9c251d3e76a", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "A-vyjMg3Bn0B7ANm3TJ6q2fnBsC76Dh3OcYlWhwBkMarZYZ3lB8Nyw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "f_8CSyhwKPsQjfBILF9KpZ8l_zFz1FFop6MZxLcrvugpc-uni_-pag=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -38,7 +38,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/list/search/by-name/", 0x22, 0x20, 0x3a, 0x20, 0x22, 0x2f, 0x63, 0x68, 0x65, 0x6d, 0x69, 0x63, 0x61, 0x6c, 0x2f, 0x6c, 0x69, 0x73, 0x74, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, - 0x6e, 0x61, 0x6d, 0x65, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1716311641, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 5.2e-05, - connect = 0, pretransfer = 0.000213, starttransfer = 0.33961, - total = 0.339913)), class = "response") + 0x6e, 0x61, 0x6d, 0x65, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1724876410, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.7e-05, + connect = 0, pretransfer = 0.000126, starttransfer = 0.288582, + total = 0.288611)), class = "response") diff --git a/tests/testthat/chemical/chemical/list/search/by-name/Biosolids2021.json b/tests/testthat/chemical/chemical/list/search/by-name/Biosolids2021.json index f4514b0..c9520be 100644 --- a/tests/testthat/chemical/chemical/list/search/by-name/Biosolids2021.json +++ b/tests/testthat/chemical/chemical/list/search/by-name/Biosolids2021.json @@ -4,9 +4,9 @@ "label": "LIST: Chemicals in biosolids (2021)", "visibility": "PUBLIC", "longDescription": "Biosolids are a product of the wastewater treatment process. During wastewater treatment the liquids are separated from the solids. Those solids are then treated physically and chemically to produce a semisolid, nutrient-rich product known as biosolids. The terms ‘biosolids’ and ‘sewage sludge’ are often used interchangeably. Section 405(d) of the Clean Water Act (CWA)<\/a> \r\n requires the United States Environmental Protection Agency (EPA) to (1) develop a regulation to establish pollutant limits and management practices to protect human health and the environment from any reasonably anticipated adverse effects of pollutants that might be present in sewage sludge; and (2) review sewage sludge regulations every two years to identify any additional pollutants that may occur in biosolids and to set regulations for pollutants identified in biosolids if sufficient scientific evidence shows they may harm human health or the environment. The regulation 40 CFR Part 503, Standards for the Use or Disposal of Sewage Sludge<\/a> \r\n, was published on February 19, 1993 (58 FR 9248). Part 503 established pollutants limits for ten metals. Since 1993, EPA has conducted eight biennial reviews<\/a> \r\n and three national sewage sludge surveys<\/a> \r\n to review additional pollutants found in biosolids and assess possible exposure from those chemicals. To date, 726 chemicals have been found in biosolids. You can learn more about the curation of the list of chemical pollutants here: https://www.nature.com/articles/s41597-022-01267-9<\/a>. Concentration data is also available for 484 chemical pollutants detected in the three national sewage sludge surveys here: Supplementary Information Table 4 (https://www.nature.com/articles/s41597-022-01267-9#Sec11)<\/a>. To view all the microbial pollutants found in biosolids see Table B-1, Chemical and Microbial Pollutants Identified in Biosolids in Biennial Review No. 8<\/a>. (Last Updated November 9th 2021)\r\n", + "listName": "BIOSOLIDS2021", "chemicalCount": 726, "createdAt": "2021-11-09T16:57:37Z", "updatedAt": "2022-10-05T22:30:53Z", - "listName": "BIOSOLIDS2021", "shortDescription": "Chemicals detected in biosolids (nutrient-rich organic materials produced from wastewater treatment facilities) (Last Updated November 9th 2021)" } diff --git a/tests/testthat/chemical/chemical/list/search/by-name/CCL4-8b6df7.json b/tests/testthat/chemical/chemical/list/search/by-name/CCL4-8b6df7.json index 075faff..b2d92f6 100644 --- a/tests/testthat/chemical/chemical/list/search/by-name/CCL4-8b6df7.json +++ b/tests/testthat/chemical/chemical/list/search/by-name/CCL4-8b6df7.json @@ -4,10 +4,10 @@ "label": "WATER|EPA: Chemical Contaminants - CCL 4", "visibility": "PUBLIC", "longDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that, at the time of publication, are not subject to any proposed or promulgated national primary drinking water regulations, but are known or anticipated to occur in public water systems. Contaminants listed on the CCL may require future regulation under the Safe Drinking Water Act (SDWA). EPA announced the fourth Drinking Water Contaminant Candidate List (CCL 4)<\/a> on November 17, 2016. The CCL 4 includes 97 chemicals or chemical groups and 12 microbial contaminants. The group of cyanotoxins on CCL 4 includes, but is not limited to: anatoxin-a, cylindrospermopsin, microcystins, and saxitoxin. The CCL Chemical Candidate Lists are versioned iteratively and this description navigates between the various versions of the lists. The list of substances displayed below represents only the chemical CCL 4 contaminants. For the versioned lists, please use the hyperlinked lists below.

\r\n\r\n
CCL5 - November 2022<\/a>

\r\n
CCL4 - November 2016<\/a> \r\n This list

\r\n
CCL3 - October 2009<\/a>

\r\n
CCL2 - February 2005<\/a>

\r\n
CCL1 - March 1998<\/a>

", - "dtxsids": "DTXSID001024118,DTXSID4022448,DTXSID0020153,DTXSID0020446,DTXSID0020573,DTXSID0020600,DTXSID0020814,DTXSID0021464,DTXSID0021541,DTXSID0021917,DTXSID0024052,DTXSID0024341,DTXSID0032578,DTXSID1020437,DTXSID1021407,DTXSID1021409,DTXSID1021740,DTXSID1021798,DTXSID1024174,DTXSID1024207,DTXSID1024338,DTXSID4022991,DTXSID4032611,DTXSID4034948,DTXSID5020023,DTXSID5020576,DTXSID1026164,DTXSID1031040,DTXSID1037484,DTXSID1037486,DTXSID1037567,DTXSID2020684,DTXSID2021028,DTXSID2021317,DTXSID5020601,DTXSID5021207,DTXSID2021731,DTXSID2022333,DTXSID2024169,DTXSID2031083,DTXSID2037506,DTXSID2040282,DTXSID2052156,DTXSID3020203,DTXSID5024182,DTXSID5039224,DTXSID3020702,DTXSID3020833,DTXSID3020964,DTXSID3021857,DTXSID3024366,DTXSID3024869,DTXSID3031864,DTXSID3032464,DTXSID3034458,DTXSID50867064,DTXSID6020301,DTXSID3042219,DTXSID3073137,DTXSID3074313,DTXSID4020533,DTXSID4021503,DTXSID4022361,DTXSID4022367,DTXSID6020856,DTXSID6021030,DTXSID6021032,DTXSID6022422,DTXSID6024177,DTXSID6037483,DTXSID6037485,DTXSID6037568,DTXSID7020005,DTXSID7020215,DTXSID7020637,DTXSID7021029,DTXSID7024241,DTXSID7047433,DTXSID8020044,DTXSID8020090,DTXSID8020597,DTXSID8020832,DTXSID8021062,DTXSID8022292,DTXSID8022377,DTXSID8023846,DTXSID8023848,DTXSID8025541,DTXSID8031865,DTXSID8052483,DTXSID9020243,DTXSID9021390,DTXSID9021427,DTXSID9022366,DTXSID9023380,DTXSID9023914,DTXSID9024142,DTXSID9032113,DTXSID9032119,DTXSID9032329", + "dtxsids": "DTXSID001024118,DTXSID0020153,DTXSID0020446,DTXSID0020573,DTXSID0020600,DTXSID0020814,DTXSID0021464,DTXSID0021541,DTXSID0021917,DTXSID0024052,DTXSID0024341,DTXSID0032578,DTXSID1020437,DTXSID1021407,DTXSID1021409,DTXSID1021740,DTXSID1021798,DTXSID1024174,DTXSID1024207,DTXSID1024338,DTXSID1026164,DTXSID1031040,DTXSID1037484,DTXSID1037486,DTXSID1037567,DTXSID2020684,DTXSID2021028,DTXSID2021317,DTXSID2021731,DTXSID2022333,DTXSID2024169,DTXSID2031083,DTXSID2037506,DTXSID2040282,DTXSID2052156,DTXSID3020203,DTXSID3020702,DTXSID3020833,DTXSID3020964,DTXSID3021857,DTXSID3024366,DTXSID3024869,DTXSID3031864,DTXSID3032464,DTXSID3034458,DTXSID3042219,DTXSID3073137,DTXSID3074313,DTXSID4020533,DTXSID4021503,DTXSID4022361,DTXSID4022367,DTXSID4022448,DTXSID4022991,DTXSID4032611,DTXSID4034948,DTXSID5020023,DTXSID5020576,DTXSID5020601,DTXSID5021207,DTXSID5024182,DTXSID5039224,DTXSID50867064,DTXSID6020301,DTXSID6020856,DTXSID6021030,DTXSID6021032,DTXSID6022422,DTXSID6024177,DTXSID6037483,DTXSID6037485,DTXSID6037568,DTXSID7020005,DTXSID7020215,DTXSID7020637,DTXSID7021029,DTXSID7024241,DTXSID7047433,DTXSID8020044,DTXSID8020090,DTXSID8020597,DTXSID8020832,DTXSID8021062,DTXSID8022292,DTXSID8022377,DTXSID8023846,DTXSID8023848,DTXSID8025541,DTXSID8031865,DTXSID8052483,DTXSID9020243,DTXSID9021390,DTXSID9021427,DTXSID9022366,DTXSID9023380,DTXSID9023914,DTXSID9024142,DTXSID9032113,DTXSID9032119,DTXSID9032329", + "listName": "CCL4", "chemicalCount": 100, "createdAt": "2017-12-28T17:58:36Z", "updatedAt": "2022-10-26T21:14:27Z", - "listName": "CCL4", "shortDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that are known or anticipated to occur in public water systems. Version 4 is known as CCL 4." } diff --git a/tests/testthat/chemical/chemical/list/search/by-name/federal.R b/tests/testthat/chemical/chemical/list/search/by-name/federal.R index 6883607..7ec30ba 100644 --- a/tests/testthat/chemical/chemical/list/search/by-name/federal.R +++ b/tests/testthat/chemical/chemical/list/search/by-name/federal.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/list/search/by-name/federal", status_code = 400L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:13:51 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:19:53 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "d2bd52c1-84a6-4721-5038-06236cd17f95", + `x-vcap-request-id` = "626442ca-5ab9-4d44-6235-846cdf6c964e", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "LzJbKZswfqpit13N9cZg0rm7ezCVpjIoERZF2XsAYcjmXv3BCln3QQ=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "Zc1Lfz8uaKpssKGz30nhESeJENHOtCNmXkeUXI8J0pTc1A8G6265Ew=="), class = c("insensitive", "list")), all_headers = list(list(status = 400L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:13:51 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:19:53 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "d2bd52c1-84a6-4721-5038-06236cd17f95", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "626442ca-5ab9-4d44-6235-846cdf6c964e", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "LzJbKZswfqpit13N9cZg0rm7ezCVpjIoERZF2XsAYcjmXv3BCln3QQ=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "Zc1Lfz8uaKpssKGz30nhESeJENHOtCNmXkeUXI8J0pTc1A8G6265Ew=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -38,7 +38,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/list/search/by-name/fede 0x68, 0x65, 0x6d, 0x69, 0x63, 0x61, 0x6c, 0x2f, 0x6c, 0x69, 0x73, 0x74, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, 0x6e, 0x61, 0x6d, 0x65, 0x2f, 0x66, 0x65, - 0x64, 0x65, 0x72, 0x61, 0x6c, 0x22, 0x0a, 0x7d)), date = structure(1716311631, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.2e-05, - connect = 0, pretransfer = 0.000208, starttransfer = 0.033878, - total = 0.033935)), class = "response") + 0x64, 0x65, 0x72, 0x61, 0x6c, 0x22, 0x0a, 0x7d)), date = structure(1724876393, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 5.5e-05, + connect = 0, pretransfer = 0.000192, starttransfer = 0.023672, + total = 0.023711)), class = "response") diff --git a/tests/testthat/chemical/chemical/list/search/by-type.R b/tests/testthat/chemical/chemical/list/search/by-type.R index 70f932b..78d247a 100644 --- a/tests/testthat/chemical/chemical/list/search/by-type.R +++ b/tests/testthat/chemical/chemical/list/search/by-type.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/list/search/by-type/", status_code = 404L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:14:00 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:10 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "47d13dfe-ae7c-4187-7cf6-ffe2b3546924", + `x-vcap-request-id` = "b45bfb6e-dd58-4167-4a05-f7cf0da0a793", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "EY0Mzl63JXKQvfm9rc-ZuJqClEnU0ExCEccdue9wd1boBcruj7tvhw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "UCSaTPZwKc2IenIOBjV4DIkqndkOEaozIfKWQejq2NQpFECUNL1yoA=="), class = c("insensitive", "list")), all_headers = list(list(status = 404L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:14:00 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:10 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "47d13dfe-ae7c-4187-7cf6-ffe2b3546924", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "b45bfb6e-dd58-4167-4a05-f7cf0da0a793", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "EY0Mzl63JXKQvfm9rc-ZuJqClEnU0ExCEccdue9wd1boBcruj7tvhw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "UCSaTPZwKc2IenIOBjV4DIkqndkOEaozIfKWQejq2NQpFECUNL1yoA=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -38,7 +38,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/list/search/by-type/", 0x22, 0x20, 0x3a, 0x20, 0x22, 0x2f, 0x63, 0x68, 0x65, 0x6d, 0x69, 0x63, 0x61, 0x6c, 0x2f, 0x6c, 0x69, 0x73, 0x74, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, - 0x74, 0x79, 0x70, 0x65, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1716311640, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 5.3e-05, - connect = 0, pretransfer = 0.000202, starttransfer = 0.270303, - total = 0.270332)), class = "response") + 0x74, 0x79, 0x70, 0x65, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1724876410, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.8e-05, + connect = 0, pretransfer = 9.5e-05, starttransfer = 0.216397, + total = 0.216425)), class = "response") diff --git a/tests/testthat/chemical/chemical/list/search/by-type/federal.json b/tests/testthat/chemical/chemical/list/search/by-type/federal.json index 0bab4f1..dcf4e17 100644 --- a/tests/testthat/chemical/chemical/list/search/by-type/federal.json +++ b/tests/testthat/chemical/chemical/list/search/by-type/federal.json @@ -2,1981 +2,1981 @@ { "id": 950, "type": "federal", - "label": "40 CFR 116.4 Designation of Hazardous Substances (Above Ground Storage Tanks)", "visibility": "PUBLIC", + "label": "40 CFR 116.4 Designation of Hazardous Substances (Above Ground Storage Tanks)", "longDescription": "Hazardous Substance List associated with the Federal Water Pollution Control Act, as amended by the Federal Water Pollution Control Act Amendments of 1972 (Pub. L. 92-500), and as further amended by the Clean Water Act of 1977 (Pub. L. 95-217), 33 U.S.C. 1251 et seq.; and as further amended by the Clean Water Act Amendments of 1978 (Pub. L. 95-676)The current list can be found at
40 CFR 116.4 list<\/a>.

\r\n\r\nOther lists of interest are:

\r\n\r\nList of constituents of motor fuels relevant to leaking underground storage tank sites\r\n
List of constituents of motor fuels relevant to leaking underground storage tank sites<\/a>

\r\n\r\nChemicals present in Underground Storage Tanks\r\n
Chemicals present in Underground Storage Tanks<\/a>

\r\n\r\n\r\n", + "listName": "40CFR1164", "chemicalCount": 333, "createdAt": "2020-06-25T16:01:14Z", "updatedAt": "2022-05-16T14:02:18Z", - "listName": "40CFR1164", "shortDescription": "Hazardous Substance List (40 CFR 116.4)" }, { "id": 446, "type": "federal", - "label": "40CFR355 Extremely Hazardous Substance List and Threshold Planning Quantities", "visibility": "PUBLIC", + "label": "40CFR355 Extremely Hazardous Substance List and Threshold Planning Quantities", "longDescription": "Extremely Hazardous Substance List and Threshold Planning Quantities; Emergency Planning and Release Notification Requirements; Final Rule. (
52 FR 13378<\/a>) This FR notice contains the EHS list of chemicals as published in 1987. This list has been revised over time and should not be used for current compliance purposes. The current EHS list can be found at 40 CFR 355<\/a>.\r\n\r\n\r\n\r\n", + "listName": "40CFR355", "chemicalCount": 354, "createdAt": "2018-01-05T11:40:04Z", "updatedAt": "2022-05-19T09:38:40Z", - "listName": "40CFR355", "shortDescription": "Extremely Hazardous Substance List and Threshold Planning Quantities; Emergency Planning and Release Notification Requirements; Final Rule. (52 FR 13378)" }, { "id": 462, "type": "federal", - "label": "AEGLS: Acute Exposure Guideline Levels", "visibility": "PUBLIC", + "label": "AEGLS: Acute Exposure Guideline Levels", "longDescription": "Acute Exposure Guideline Level (AEGLs) values are intended to protect most individuals in the general population, including those that might be particularly susceptible to the harmful effects of the chemicals. Acute exposure guideline levels (AEGLs) describe the human health effects from once-in-a-lifetime, or rare, exposure to airborne chemicals. Used by emergency responders when dealing with chemical spills or other catastrophic exposures, AEGLs are set through a collaborative effort of the public and private sectors worldwide.", + "listName": "AEGLVALUES", "chemicalCount": 174, "createdAt": "2018-04-20T17:35:30Z", "updatedAt": "2021-06-15T12:41:37Z", - "listName": "AEGLVALUES", "shortDescription": "Acute exposure guideline levels (AEGLs) describe the human health effects from once-in-a-lifetime, or rare, exposure to airborne chemicals." }, { "id": 1026, "type": "federal", - "label": "CATEGORY|WIKILIST|ANTIMICROBIALS: Antimicrobials from Wikipedia", "visibility": "PUBLIC", + "label": "CATEGORY|WIKILIST|ANTIMICROBIALS: Antimicrobials from Wikipedia", "longDescription": "A list of antimicrobials extracted from the Wikipedia Category page: Wikipedia list<\/a>. ", + "listName": "ANTIMICROBIALS", "chemicalCount": 360, "createdAt": "2020-10-08T10:11:45Z", "updatedAt": "2021-06-15T19:18:23Z", - "listName": "ANTIMICROBIALS", "shortDescription": "A list of antimicrobials extracted from Wikipedia." }, { "id": 1293, "type": "federal", - "label": "EPA|ASPECT: EPA’s Airborne Spectral Photometric Environmental Collection Technology (ASPECT)", "visibility": "PUBLIC", + "label": "EPA|ASPECT: EPA’s Airborne Spectral Photometric Environmental Collection Technology (ASPECT)", "longDescription": "Based near Dallas, Texas, and able to deploy within one hour of notification, ASPECT is the nation’s only airborne real-time chemical and radiological detection, infrared and photographic imagery platform. ASPECT is available to assist local, national, and international agencies supporting hazardous substance response, radiological incidents, and situational awareness. ASPECT is available 24/7/365 and can begin collecting data at any site in the continental US within nine hours.", + "listName": "ASPECT", "chemicalCount": 401, "createdAt": "2021-08-27T22:24:49Z", "updatedAt": "2021-08-27T22:25:41Z", - "listName": "ASPECT", "shortDescription": "EPA's ASPECT is the nation’s only airborne real-time chemical and radiological detection, infrared and photographic imagery platform. " }, { "id": 331, "type": "federal", - "label": "ATSDR: Toxic Substances Portal Chemical List ", "visibility": "PUBLIC", + "label": "ATSDR: Toxic Substances Portal Chemical List ", "longDescription": "The Agency for Toxic Substances and Disease Registry (ATSDR) is a federal public health agency of the U.S. Department of Health and Human Services. This list provides direct access to the ATSDR Toxic Substances Portal.", + "listName": "ATSDRLST", "chemicalCount": 200, "createdAt": "2017-03-11T09:46:27Z", "updatedAt": "2021-06-15T19:28:20Z", - "listName": "ATSDRLST", "shortDescription": "The Agency for Toxic Substances and Disease Registry (ATSDR) is a federal public health agency of the U.S. Department of Health and Human Services." }, { "id": 1902, "type": "federal", - "label": "ATSDR: Minimal Risk Levels (MRLs) for Hazardous Substances NAVIGATION", "visibility": "PUBLIC", + "label": "ATSDR: Minimal Risk Levels (MRLs) for Hazardous Substances NAVIGATION", "longDescription": "The Comprehensive Environmental Response, Compensation, and Liability Act (CERCLA) [42 U.S.C. 9604 et seq.<\/a>], as amended by the Superfund Amendments and Reauthorization Act (SARA) [Pub. L. 99 499], requires that the Agency for Toxic Substances and Disease Registry<\/a> (ATSDR) develop jointly with the U.S. Environmental Protection Agency (EPA), in order of priority, a list of hazardous substances most commonly found at facilities on the CERCLA National Priorities List (NPL) (42 U.S.C. 9604(i)(2)<\/a>); prepare toxicological profiles for each substance included on the priority list of hazardous substances, and to ascertain significant human exposure levels (SHELs) for hazardous substances in the environment, and the associated acute, subacute, and chronic health effects (42 U.S.C. 9604(i)(3)); and assure the initiation of a research program to fill identified data needs associated with the substances (42 U.S.C. 9604(i)(5)). The ATSDR Minimal Risk Levels (MRLs) were developed as an initial response to the mandate. An MRL is an estimate of the amount of a chemical a person can eat, drink, or breathe each day without a detectable risk to health. MRLs are developed for health effects other than cancer. MRLs can be made for 3 different time periods [the length of time people are exposed to the chemical: acute (about 1 to 14 days), intermediate (from 15-364 days), and chronic (exposure for more than 364 days)]. It is important to note that MRLs are not intended to define clean up or action levels for ATSDR or other Agencies.

\r\n\r\n
ATSDRMRLSV2 - August 2022<\/a> This list

\r\n\r\n
ATSDRMRLSV1 - November 2018<\/a>", + "listName": "ATSDRMRLS", "chemicalCount": 207, "createdAt": "2024-01-12T13:55:41Z", "updatedAt": "2024-01-14T17:38:26Z", - "listName": "ATSDRMRLS", "shortDescription": "The ATSDR Minimal Risk Levels (MRLs) were developed as an initial response to the Comprehensive Environmental Response, Compensation, and Liability Act (CERCLA) (NAVIGATION)" }, { "id": 564, "type": "federal", - "label": "ATSDR: Minimal Risk Levels (MRLs) for Hazardous Substances (version 1 - November 2018)", "visibility": "PUBLIC", + "label": "ATSDR: Minimal Risk Levels (MRLs) for Hazardous Substances (version 1 - November 2018)", "longDescription": "The Comprehensive Environmental Response, Compensation, and Liability Act (CERCLA) [42 U.S.C. 9604 et seq.<\/a>], as amended by the Superfund Amendments and Reauthorization Act (SARA) [Pub. L. 99 499], requires that the Agency for Toxic Substances and Disease Registry<\/a> (ATSDR) develop jointly with the U.S. Environmental Protection Agency (EPA), in order of priority, a list of hazardous substances most commonly found at facilities on the CERCLA National Priorities List (NPL) (42 U.S.C. 9604(i)(2)<\/a>); prepare toxicological profiles for each substance included on the priority list of hazardous substances, and to ascertain significant human exposure levels (SHELs) for hazardous substances in the environment, and the associated acute, subacute, and chronic health effects (42 U.S.C. 9604(i)(3)); and assure the initiation of a research program to fill identified data needs associated with the substances (42 U.S.C. 9604(i)(5)). The ATSDR Minimal Risk Levels (MRLs) were developed as an initial response to the mandate. An MRL is an estimate of the amount of a chemical a person can eat, drink, or breathe each day without a detectable risk to health. MRLs are developed for health effects other than cancer. MRLs can be made for 3 different time periods [the length of time people are exposed to the chemical: acute (about 1 to 14 days), intermediate (from 15-364 days), and chronic (exposure for more than 364 days)]. It is important to note that MRLs are not intended to define clean up or action levels for ATSDR or other Agencies. (Version 1 - November 2018)\r\n", + "listName": "ATSDRMRLSV1", "chemicalCount": 756, "createdAt": "2018-11-16T13:38:00Z", "updatedAt": "2024-01-12T13:51:40Z", - "listName": "ATSDRMRLSV1", "shortDescription": "The ATSDR Minimal Risk Levels (MRLs) were developed as an initial response to the Comprehensive Environmental Response, Compensation, and Liability Act (CERCLA) (version 1 - November 2018)" }, { "id": 1675, "type": "federal", - "label": "ATSDR: Minimal Risk Levels (MRLs) for Hazardous Substances (Version 2 - December 2022)", "visibility": "PUBLIC", + "label": "ATSDR: Minimal Risk Levels (MRLs) for Hazardous Substances (Version 2 - December 2022)", "longDescription": "The Comprehensive Environmental Response, Compensation, and Liability Act (CERCLA) [42 U.S.C. 9604 et seq.<\/a>], as amended by the Superfund Amendments and Reauthorization Act (SARA) [Pub. L. 99 499], requires that the Agency for Toxic Substances and Disease Registry<\/a> (ATSDR) develop jointly with the U.S. Environmental Protection Agency (EPA), in order of priority, a list of hazardous substances most commonly found at facilities on the CERCLA National Priorities List (NPL) (42 U.S.C. 9604(i)(2)<\/a>); prepare toxicological profiles for each substance included on the priority list of hazardous substances, and to ascertain significant human exposure levels (SHELs) for hazardous substances in the environment, and the associated acute, subacute, and chronic health effects (42 U.S.C. 9604(i)(3)); and assure the initiation of a research program to fill identified data needs associated with the substances (42 U.S.C. 9604(i)(5)). The ATSDR Minimal Risk Levels (MRLs) were developed as an initial response to the mandate. An MRL is an estimate of the amount of a chemical a person can eat, drink, or breathe each day without a detectable risk to health. MRLs are developed for health effects other than cancer. MRLs can be made for 3 different time periods [the length of time people are exposed to the chemical: acute (about 1 to 14 days), intermediate (from 15-364 days), and chronic (exposure for more than 364 days)]. It is important to note that MRLs are not intended to define clean up or action levels for ATSDR or other Agencies. (Last Updated 12/12/2022 based on August 2022 release of MRL values<\/a>)", + "listName": "ATSDRMRLSV2", "chemicalCount": 207, "createdAt": "2022-12-12T19:59:21Z", "updatedAt": "2024-01-14T17:35:50Z", - "listName": "ATSDRMRLSV2", "shortDescription": "The ATSDR Minimal Risk Levels (MRLs) were developed as an initial response to the Comprehensive Environmental Response, Compensation, and Liability Act (CERCLA). (Version 2 - December 2022)\r\n" }, { "id": 1024, "type": "federal", - "label": "ATSDR Toxicological Profiles", "visibility": "PUBLIC", + "label": "ATSDR Toxicological Profiles", "longDescription": "Toxicological Profiles (Tox Profiles) are a unique compilation of toxicological information on a given hazardous substance. Each peer-reviewed Tox Profile reflects a comprehensive and extensive evaluation, summary, and interpretation of available toxicological and epidemiological information on a substance. A full list of Toxicological Profiles is available online<\/a>.", + "listName": "ATSDRPROFILES", "chemicalCount": 212, "createdAt": "2020-09-28T10:32:17Z", "updatedAt": "2021-06-15T19:29:34Z", - "listName": "ATSDRPROFILES", "shortDescription": "Toxicological Profiles (Tox Profiles) are a unique compilation of toxicological information on a given hazardous substance. " }, { "id": 1348, "type": "federal", - "label": "Navigation Panel to Biosolid Lists", "visibility": "PUBLIC", + "label": "Navigation Panel to Biosolid Lists", "longDescription": "Biosolids lists change over time and are versioned iteratively. This panel navigates between the various versions which will be released over time. \r\nThe list of substances displayed below represents the latest iteration of biosolids (BIOSOLOIDS2021 - November 2021). For the versioned lists please use the hyperlinked lists below.

\r\n\r\n
BIOSOLIDS2021 - November 2021<\/a>

\r\n\r\n
BIOSOLIDS2022 - December 2022<\/a>

", + "listName": "BIOSOLIDS", "chemicalCount": 726, "createdAt": "2021-12-19T11:00:24Z", "updatedAt": "2023-09-26T13:28:20Z", - "listName": "BIOSOLIDS", "shortDescription": "Biosolids lists change over time and are versioned iteratively. This panel navigates between the various versions." }, { "id": 1327, "type": "federal", - "label": "LIST: Chemicals in biosolids (2021)", "visibility": "PUBLIC", + "label": "LIST: Chemicals in biosolids (2021)", "longDescription": "Biosolids are a product of the wastewater treatment process. During wastewater treatment the liquids are separated from the solids. Those solids are then treated physically and chemically to produce a semisolid, nutrient-rich product known as biosolids. The terms ‘biosolids’ and ‘sewage sludge’ are often used interchangeably.
Section 405(d) of the Clean Water Act (CWA)<\/a> \r\n requires the United States Environmental Protection Agency (EPA) to (1) develop a regulation to establish pollutant limits and management practices to protect human health and the environment from any reasonably anticipated adverse effects of pollutants that might be present in sewage sludge; and (2) review sewage sludge regulations every two years to identify any additional pollutants that may occur in biosolids and to set regulations for pollutants identified in biosolids if sufficient scientific evidence shows they may harm human health or the environment. The regulation 40 CFR Part 503, Standards for the Use or Disposal of Sewage Sludge<\/a> \r\n, was published on February 19, 1993 (58 FR 9248). Part 503 established pollutants limits for ten metals. Since 1993, EPA has conducted eight biennial reviews<\/a> \r\n and three national sewage sludge surveys<\/a> \r\n to review additional pollutants found in biosolids and assess possible exposure from those chemicals. To date, 726 chemicals have been found in biosolids. You can learn more about the curation of the list of chemical pollutants here: https://www.nature.com/articles/s41597-022-01267-9<\/a>. Concentration data is also available for 484 chemical pollutants detected in the three national sewage sludge surveys here: Supplementary Information Table 4 (https://www.nature.com/articles/s41597-022-01267-9#Sec11)<\/a>. To view all the microbial pollutants found in biosolids see Table B-1, Chemical and Microbial Pollutants Identified in Biosolids in Biennial Review No. 8<\/a>. (Last Updated November 9th 2021)\r\n", + "listName": "BIOSOLIDS2021", "chemicalCount": 726, "createdAt": "2021-11-09T16:57:37Z", "updatedAt": "2022-10-05T22:30:53Z", - "listName": "BIOSOLIDS2021", "shortDescription": "Chemicals detected in biosolids (nutrient-rich organic materials produced from wastewater treatment facilities) (Last Updated November 9th 2021)" }, { "id": 1613, "type": "federal", - "label": "LIST: Chemicals in biosolids (2022)", "visibility": "PUBLIC", + "label": "LIST: Chemicals in biosolids (2022)", "longDescription": "Biosolids are a product of the wastewater treatment process. During wastewater treatment the liquids are separated from the solids. Those solids are then treated physically and chemically to produce a semisolid, nutrient-rich product known as biosolids. The terms ‘biosolids’ and ‘sewage sludge’ are often used interchangeably though biosolids typically means treated sewage sludge that meet federal and state requirements and are applied to land as a soil amendment. Section 405(d) of the Clean Water Act (CWA)<\/a> \r\n requires the United States Environmental Protection Agency (EPA) to (1) develop a regulation to establish pollutant limits and management practices to protect human health and the environment from any reasonably anticipated adverse effects of pollutants that might be present in sewage sludge; and (2) review sewage sludge regulations every two years to identify any additional pollutants that may occur in biosolids and to set regulations for pollutants identified in biosolids if sufficient scientific evidence shows they may harm human health or the environment. The regulation 40 CFR Part 503, Standards for the Use or Disposal of Sewage Sludge<\/a> \r\n, was published on February 19, 1993 (58 FR 9248). Part 503 established pollutants limits for ten metals. Since 1993, EPA has conducted nine biennial reviews<\/a> \r\n and three national sewage sludge surveys<\/a> \r\n to identify additional pollutants found in biosolids. To date, 739 chemicals have been found in biosolids. You can learn more about the curation of the list of chemical pollutants through 2021 here: https://www.nature.com/articles/s41597-022-01267-9<\/a>. Concentration data is also available for 484 chemical pollutants detected in the three national sewage sludge surveys here: Supplementary Information Table 4 (https://www.nature.com/articles/s41597-022-01267-9#Sec11)<\/a>. To view all the microbial pollutants found in biosolids see Appendix B, ‘Table B-3: Microbial Pollutants Identified in Biosolids’ in Biennial Report No.9 (Reporting Period 2020-2021)<\/a>. (Last Updated December 21st, 2022).", + "listName": "BIOSOLIDS2022", "chemicalCount": 739, "createdAt": "2022-10-05T22:32:34Z", "updatedAt": "2022-12-23T00:41:26Z", - "listName": "BIOSOLIDS2022", "shortDescription": "Chemicals detected in biosolids (nutrient-rich organic materials produced from wastewater treatment facilities) (Last Updated December 21st 2022)" }, { "id": 1634, "type": "federal", - "label": "WATER|EPA: Chemical Contaminants - Navigation Panel to Chemical Candidate Lists", "visibility": "PUBLIC", + "label": "WATER|EPA: Chemical Contaminants - Navigation Panel to Chemical Candidate Lists", "longDescription": "The Safe Drinking Water Act (SDWA), as amended in 1996, requires the United States Environmental Protection Agency (EPA) to publish every five years a list of drinking water contaminants, known as the Contaminant Candidate List (CCL), that at the time of publication:
\r\n•\tare not subject to any proposed or promulgated National Primary Drinking Water Regulation,
\r\n•\tare known or anticipated to occur in public water systems (PWSs), and
\r\n•\tmay require regulation under the SDWA.

\r\n\r\nThe CCLs provided in the CompTox dashboard are versioned iteratively and this description navigates between the various versions of the lists. The list of substances displayed below represents the latest iteration of the list (CCL 5 - November 2022) and only display the chemical contaminants. The CCL 5 PFAS list is listed separately. For the versioned lists please use the hyperlinked lists below.

\r\n\r\n
CCL5 - November 2022<\/a> This list

\r\n
CCL4 - November 2016<\/a>

\r\n
CCL3 - October 2009<\/a>

\r\n
CCL2 - February 2005<\/a>

\r\n
CCL1 - March 1998<\/a>

", + "listName": "CCL", "chemicalCount": 92, "createdAt": "2022-10-21T18:35:26Z", "updatedAt": "2022-10-26T20:04:17Z", - "listName": "CCL", "shortDescription": "Chemical Candidate Lists are versioned iteratively and this panel navigates between the various versions." }, { "id": 1630, "type": "federal", - "label": "WATER|EPA: Chemical Contaminants - CCL 1", "visibility": "PUBLIC", + "label": "WATER|EPA: Chemical Contaminants - CCL 1", "longDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that, at the time of publication, are not subject to any proposed or promulgated national primary drinking water regulations, but are known or anticipated to occur in public water systems. Contaminants listed on the CCL may require future regulation under the Safe Drinking Water Act (SDWA). EPA announced the
first Drinking Water Contaminant Candidate List (CCL 1)<\/a> on March 2, 1998. The CCL Chemical Candidate Lists are versioned iteratively and this description navigates between the various versions of the lists. The list of substances displayed below represents only the chemical CCL 1 contaminants. CCL 1 includes 47 individually listed chemicals and 3 chemical groups (Alachlor ESA and other acetanilide pesticide degradation products, organotins and triazines and degradation products of triazines). The triazines group includes but is not limited to Cyanazine (CASN 21725-46-2) and atrazine-desethyl (CASN 6190-65-4). For the versioned lists, please use the hyperlinked lists below.

\r\n\r\n
CCL5 - November 2022<\/a>

\r\n
CCL4 - November 2016<\/a>

\r\n
CCL3 - October 2009<\/a>

\r\n
CCL2 - February 2005<\/a>

\r\n
CCL1 - March 1998<\/a> This list

", + "listName": "CCL1", "chemicalCount": 50, "createdAt": "2022-10-21T17:28:58Z", "updatedAt": "2022-10-27T09:38:03Z", - "listName": "CCL1", "shortDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that are known or anticipated to occur in public water systems. Version 1 is known as CCL 1." }, { "id": 1631, "type": "federal", - "label": "WATER|EPA: Chemical Contaminants - CCL 2", "visibility": "PUBLIC", + "label": "WATER|EPA: Chemical Contaminants - CCL 2", "longDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that, at the time of publication, are not subject to any proposed or promulgated national primary drinking water regulations, but are known or anticipated to occur in public water systems. Contaminants listed on the CCL may require future regulation under the Safe Drinking Water Act (SDWA). EPA announced the
second Drinking Water Contaminant Candidate List (CCL 2)<\/a> on February 23, 2005. The CCL Chemical Candidate Lists are versioned iteratively and this description navigates between the various versions of the lists. The list of substances displayed below represents only the chemical CCL 2 contaminants. CCL 2 includes 39 individually listed chemicals and 3 chemical groups (Alachlor ESA and other acetanilide pesticide degradation products, organotins, and triazines and degradation products of triazines). For the versioned lists, please use the hyperlinked lists below.

\r\n\r\n
CCL5 - November 2022<\/a>

\r\n
CCL4 - November 2016<\/a>

\r\n
CCL3 - October 2009<\/a>

\r\n
CCL2 - February 2005<\/a> This list

\r\n
CCL1 - March 1998<\/a>

", + "listName": "CCL2", "chemicalCount": 42, "createdAt": "2022-10-21T17:33:26Z", "updatedAt": "2022-10-26T20:24:14Z", - "listName": "CCL2", "shortDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that are known or anticipated to occur in public water systems. Version 2 is known as CCL 2.\r\n\r\n" }, { "id": 1632, "type": "federal", - "label": "WATER|EPA: Chemical Contaminants - CCL 3", "visibility": "PUBLIC", + "label": "WATER|EPA: Chemical Contaminants - CCL 3", "longDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that, at the time of publication, are not subject to any proposed or promulgated national primary drinking water regulations, but are known or anticipated to occur in public water systems. Contaminants listed on the CCL may require future regulation under the Safe Drinking Water Act (SDWA). EPA announced the
third Drinking Water Contaminant Candidate List (CCL 3)<\/a> on October 8, 2009. The CCL Chemical Candidate Lists are versioned iteratively and this description navigates between the various versions of the lists. The list of substances displayed below represents only the chemical CCL 3 contaminants. CCL 3 includes 103 individually listed chemicals and 1 chemical group (cyanotoxins). For the versioned lists, please use the hyperlinked lists below.

\r\n\r\n\r\n
CCL5 - November 2022<\/a>

\r\n
CCL4 - November 2016<\/a>

\r\n
CCL3 - October 2009<\/a> This list

\r\n
CCL2 - February 2005<\/a>

\r\n
CCL1 - March 1998<\/a>

", + "listName": "CCL3", "chemicalCount": 106, "createdAt": "2022-10-21T17:58:30Z", "updatedAt": "2022-10-27T09:45:21Z", - "listName": "CCL3", "shortDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that are known or anticipated to occur in public water systems. Version 3 is known as CCL 3.\r\n\r\n" }, { "id": 443, "type": "federal", - "label": "WATER|EPA: Chemical Contaminants - CCL 4", "visibility": "PUBLIC", + "label": "WATER|EPA: Chemical Contaminants - CCL 4", "longDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that, at the time of publication, are not subject to any proposed or promulgated national primary drinking water regulations, but are known or anticipated to occur in public water systems. Contaminants listed on the CCL may require future regulation under the Safe Drinking Water Act (SDWA). EPA announced the
fourth Drinking Water Contaminant Candidate List (CCL 4)<\/a> on November 17, 2016. The CCL 4 includes 97 chemicals or chemical groups and 12 microbial contaminants. The group of cyanotoxins on CCL 4 includes, but is not limited to: anatoxin-a, cylindrospermopsin, microcystins, and saxitoxin. The CCL Chemical Candidate Lists are versioned iteratively and this description navigates between the various versions of the lists. The list of substances displayed below represents only the chemical CCL 4 contaminants. For the versioned lists, please use the hyperlinked lists below.

\r\n\r\n
CCL5 - November 2022<\/a>

\r\n
CCL4 - November 2016<\/a> \r\n This list

\r\n
CCL3 - October 2009<\/a>

\r\n
CCL2 - February 2005<\/a>

\r\n
CCL1 - March 1998<\/a>

", + "listName": "CCL4", "chemicalCount": 100, "createdAt": "2017-12-28T17:58:36Z", "updatedAt": "2022-10-26T21:14:27Z", - "listName": "CCL4", "shortDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that are known or anticipated to occur in public water systems. Version 4 is known as CCL 4." }, { "id": 1636, "type": "federal", - "label": "WATER|EPA: Chemical Contaminants - CCL 5", "visibility": "PUBLIC", + "label": "WATER|EPA: Chemical Contaminants - CCL 5", "longDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that, at the time of publication, are not subject to any proposed or promulgated national primary drinking water regulations, but are known or anticipated to occur in public water systems. Contaminants listed on the CCL may require future regulation under the Safe Drinking Water Act (SDWA). EPA announced the
fifth Drinking Water Contaminant Candidate List (CCL 5)<\/a> on November 2nd 2022. The CCL 5 includes 66 individually listed chemicals, 3 chemical groups (cyanotoxins, disinfection byproducts (DBPs), per- and polyfluoroalkyl substances (PFAS)), and 12 microbial contaminants (not displayed in the CompTox List below). The group of cyanotoxins include, but is not limited to: anatoxin-a, cylindrospermopsin, microcystins, and saxitoxin. The DBP group includes 23 unregulated DBPs that were either publicly nominated and/or among the top chemicals in the CCL 5 Universe. For the purposes of CCL 5, the PFAS group includes chemicals that contain at least one of these three structures:

\r\n•\tR-(CF2)-CF(R′)R′′, where both the CF2 and CF moieties are saturated carbons, and none of the R groups can be hydrogen
\r\n•\tR-CF2OCF2-R′, where both the CF2 moieties are saturated carbons, and none of the R groups can be hydrogen
\r\n•\tCF3C(CF3)RR′, where all the carbons are saturated, and none of the R groups can be hydrogen

\r\n\r\nThe CompTox dashboard also includes a separate list of PFAS (
WATER|EPA: Chemical Contaminants - CCL 5 PFAS subset<\/a>) that meet the CCL 5 structural definition.

\r\nThe CCL Chemical Candidate Lists are versioned iteratively and this description navigates between the various versions of the lists. The list of substances displayed below represents only the chemical CCL 4 contaminants. For the versioned lists, please use the hyperlinked lists below.

\r\n\r\n\r\n
CCL5 - November 2022<\/a> This list

\r\n
CCL4 - November 2016<\/a>

\r\n
CCL3 - October 2009<\/a>

\r\n
CCL2 - February 2005<\/a>

\r\n
CCL1 - March 1998<\/a>

", + "listName": "CCL5", "chemicalCount": 93, "createdAt": "2022-10-26T21:40:56Z", "updatedAt": "2022-10-28T11:52:25Z", - "listName": "CCL5", "shortDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that are known or anticipated to occur in public water systems. Version 5 is known as CCL 5." }, { "id": 1615, "type": "federal", - "label": "WATER|EPA: Chemical Contaminants - CCL 5 PFAS subset", "visibility": "PUBLIC", + "label": "WATER|EPA: Chemical Contaminants - CCL 5 PFAS subset", "longDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that are currently not subject to any proposed or promulgated national primary drinking water regulations, but are known or anticipated to occur in public water systems. Contaminants listed on the CCL may require future regulation under the Safe Drinking Water Act (SDWA). EPA announced the Final Contaminant Candidate List 5 on November 2nd 2022. \r\n\r\nFor the purpose of CCL 5, excluding PFOA and PFOS, the structural definition of per- and polyfluoroalkyl substances (PFAS) includes chemicals that contain at least one of these three structures: \r\n1) R-(CF2)-CF(R′)R′′, where both the CF2 and CF moieties are saturated carbons, and none of the R groups can be hydrogen \r\n2) R-CF2OCF2-R′, where both the CF2 moieties are saturated carbons, and none of the R groups can be hydrogen\r\n3) CF3C(CF3)RR′, where all the carbons are saturated, and none of the R groups can be hydrogen \r\n\r\n\r\nThe Final CCL 5 includes 69 chemicals or chemical groups and 12 microbial contaminants. The CCL 5 list is available
here<\/a>

.\r\n", + "listName": "CCL5PFAS", "chemicalCount": 10246, "createdAt": "2022-10-07T11:02:35Z", "updatedAt": "2022-10-29T23:06:51Z", - "listName": "CCL5PFAS", "shortDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that are known or anticipated to occur in public water systems. EPA announced the Final Contaminant Candidate List 5 on November 2nd 2022." }, { "id": 1321, "type": "federal", - "label": "CDR: Chemical Data Reporting 2016 ", "visibility": "PUBLIC", + "label": "CDR: Chemical Data Reporting 2016 ", "longDescription": "The
Chemical Data Reporting (CDR) rule<\/a> under the Toxic Substances Control Act (TSCA), requires manufacturers (including importers) to provide EPA with information on the production and use of chemicals in commerce.
\r\n\r\nUnder the CDR rule, EPA collects basic exposure-related information including information on the types, quantities and uses of chemical substances produced domestically and imported into the United States. The CDR database constitutes the most comprehensive source of basic screening-level, exposure-related information on chemicals available to EPA, and is used by the Agency to protect the public from potential chemical risks.
\r\n\r\nThe information is collected every four years from manufacturers (including importers) of certain chemicals in commerce generally when production volumes for the chemical are 25,000 lbs or greater for a specific reporting year. Collecting the information every four years assures that EPA and (for non-confidential data) the public have access to up-to-date information on chemicals.
\r\n\r\nThe CDR rule is required by section 8(a) of the Toxic Substances Control Act (TSCA) and was formerly known as the Inventory Update Rule (IUR).
", + "listName": "CDR2016", "chemicalCount": 8035, "createdAt": "2021-10-18T21:59:48Z", "updatedAt": "2021-10-18T22:25:46Z", - "listName": "CDR2016", "shortDescription": "Chemical Data Reporting (CDR) 2016 Use data. " }, { "id": 1608, "type": "federal", - "label": "CDR: Chemical Data Reporting 2020", "visibility": "PUBLIC", + "label": "CDR: Chemical Data Reporting 2020", "longDescription": "The
Chemical Data Reporting (CDR) rule<\/a> under the Toxic Substances Control Act (TSCA), requires manufacturers (including importers) to provide EPA with information on the production and use of chemicals in commerce.
\r\n\r\nUnder the CDR rule, EPA collects basic exposure-related information including information on the types, quantities and uses of chemical substances produced domestically and imported into the United States. The CDR database constitutes the most comprehensive source of basic screening-level, exposure-related information on chemicals available to EPA, and is used by the Agency to protect the public from potential chemical risks.
\r\n\r\nThe information is collected every four years from manufacturers (including importers) of certain chemicals in commerce generally when production volumes for the chemical are 25,000 lbs or greater for a specific reporting year. Collecting the information every four years assures that EPA and (for non-confidential data) the public have access to up-to-date information on chemicals.
\r\n\r\nThe CDR rule is required by section 8(a) of the Toxic Substances Control Act (TSCA) and was formerly known as the Inventory Update Rule (IUR).
\r\n\r\nThe CDR2020 data are accessible from the
Access CDR Data<\/a> page. The dataset registered here is for the set of chemicals with CAS Registry Numbers and excludes the ~600 chemicals without CASRNs and/or flagged as provisional. (Last Updated 9/16/2022)\r\n\r\n", + "listName": "CDR2020", "chemicalCount": 8033, "createdAt": "2022-09-16T19:30:54Z", "updatedAt": "2022-09-16T23:01:42Z", - "listName": "CDR2020", "shortDescription": "Chemical Data Reporting (CDR) 2020 Use data." }, { "id": 315, "type": "federal", - "label": "EPA|CHEMINV: EPA Chemical Inventory for ToxCast (20170203)", "visibility": "PUBLIC", + "label": "EPA|CHEMINV: EPA Chemical Inventory for ToxCast (20170203)", "longDescription": "CHEMINV consists of the full list of unique DSSTox substance records mapped to the historical chemical inventory of physical samples registered by EPA's ToxCast Chemical Contractor (Evotec) in their sample tracking database since the launch of the ToxCast program in 2007. The CHEMINV file includes all chemical samples procured by Evotec for possible inclusion in EPA's ToxCast program since the start of the program in 2007, as well as a relatively small set of donated or EPA-supplied samples that were shipped to Evotec to be included in EPA's physical sample library. The list includes all samples received and registered by Evotec, but all samples were not necessarily solubilized or plated for testing, i.e., the full list includes volatiles, DMSO insolubles, depleted chemicals, and discarded chemicals deemed too dangerous for storage and handling. All physical samples plated for screening in the ToxCast program (TOXCAST), which includes EPA's full contribution to the Tox21 screening program (TOX21SL), are included as a subset of CHEMINV, as is the full list of samples currently available for ToxCast plating. Hence, the CHEMINV inventory file is a snapshot of all past and present samples. The CHEMINV file provides a complete historical record of chemicals that were prioritized for inclusion in EPA's ToxCast and Tox21 screening programs based on multiple criteria (toxicity data, exposure potential, use, etc.), and that were successfully procured by (or provided to) EPA's ToxCast Chemical Contractor (Evotec) for possible inclusion in those programs. The CHEMINV file is a subset of EPA's ChemTrack database (CHEMTRACK), the latter including all chemicals for which ToxCast or Tox21 screening data have been generated. CHEMTRACK additionally includes reference chemicals for which data were provided by ToxCast collaborators, as well as Tox21 chemicals not in EPA's physical inventory that were separately provided by Tox21 federal testing partners (the National Institutes of Health's National Toxicology Program and National Center for Advancing Translational Sciences). A detailed description of EPA's chemical management system and the DSSTox curation associated with chemical registration and mapping of the CHEMINV file is provided in the published document available for download at:\r\nhttps://www.epa.gov/chemical-research/toxcast-chemicals-data-management-and-quality-considerations-overview<\/a>\r\nFor more information on EPA’s ToxCast program, see:\r\nhttps://www.epa.gov/chemical-research/toxicity-forecasting<\/a>\r\nhttps://www.epa.gov/chemical-research/toxicity-forecasting", + "listName": "CHEMINV", "chemicalCount": 5231, "createdAt": "2017-02-13T19:38:12Z", "updatedAt": "2019-05-18T20:49:47Z", - "listName": "CHEMINV", "shortDescription": "CHEMINV is full list of unique DSSTox substances mapped to historical chemical inventory of physical samples registered by EPA's ToxCast Chemical Contractor (Evotec) since launch of ToxCast program in 2007. " }, { "id": 185, "type": "federal", - "label": "EPA|CHEMINV: EPA ToxCast ChemInventory DMSO Insolubles at 20mM", "visibility": "PUBLIC", + "label": "EPA|CHEMINV: EPA ToxCast ChemInventory DMSO Insolubles at 20mM", "longDescription": "Group of chemicals within EPA's ToxCast physical sample library found to be insoluble in DMSO at a target concentration of 20mM. A subset of these chemicals were soluble at 5-15mM and were included in ToxCast testing and in the TOXCST inventory.", + "listName": "CHEMINV_dmsoinsolubles", "chemicalCount": 558, "createdAt": "2016-02-10T15:47:01Z", "updatedAt": "2019-05-18T20:50:45Z", - "listName": "CHEMINV_dmsoinsolubles", "shortDescription": "Chemicals in EPA's ToxCast physical sample library CHEMINV insoluble in DMSO " }, { "id": 187, "type": "federal", - "label": "EPA|CHEMINV: EPA ToxCast ChemInventory list of reactives", "visibility": "PUBLIC", + "label": "EPA|CHEMINV: EPA ToxCast ChemInventory list of reactives", "longDescription": "ToxCast Chemical inventory (CHEMINV) physical sample library list of chemicals that were deemed too reactive to include in HTS testing. ", + "listName": "CHEMINV_reactives", "chemicalCount": 24, "createdAt": "2016-02-10T17:08:06Z", "updatedAt": "2019-05-18T20:54:45Z", - "listName": "CHEMINV_reactives", "shortDescription": "ToxCast Chemical inventory (CHEMINV) physical sample library list of chemicals that were deemed too reactive to include in HTS testing. " }, { "id": 188, "type": "federal", - "label": "EPA|CHEMINV: EPA ToxCast ChemInventory chemicals with stability problems", "visibility": "PUBLIC", + "label": "EPA|CHEMINV: EPA ToxCast ChemInventory chemicals with stability problems", "longDescription": "ToxCast chemical inventory (CHEMINV) physical sample library list of chemicals that were determined to have stability problems such that they decompose over time in DMSO. ", + "listName": "CHEMINV_stability", "chemicalCount": 34, "createdAt": "2016-02-10T17:10:02Z", "updatedAt": "2019-05-18T20:55:06Z", - "listName": "CHEMINV_stability", "shortDescription": "ToxCast chemical inventory (CHEMINV) physical sample library list of chemicals that were determined to have stability problems such that they decompose over time in DMSO." }, { "id": 186, "type": "federal", - "label": "EPA|CHEMINV: EPA ToxCast CHEMINV list of volatiles", "visibility": "PUBLIC", + "label": "EPA|CHEMINV: EPA ToxCast CHEMINV list of volatiles", "longDescription": "List of chemicals in EPA's ToxCast ChemInventory physical sample library that were labeled as volatile (empty on reweigh when stored in closed frozen vials). A subset of the list was included in the ToxCast testing library after solubilization or prior to this determination, so are also included in TOXCST. ", + "listName": "CHEMINV_volatiles", "chemicalCount": 130, "createdAt": "2016-02-10T17:03:23Z", "updatedAt": "2019-05-18T20:54:25Z", - "listName": "CHEMINV_volatiles", "shortDescription": "List of volatile chemicals in EPA ToxCast chemical inventory physical sample library, CHEMINV" }, { "id": 316, "type": "federal", - "label": "Chemical and Products Database v1", "visibility": "PUBLIC", + "label": "Chemical and Products Database v1", "longDescription": "This is a list of chemicals reported in the EPA's Chemical and Products Database from the supplementary info file associated with the Nature Scientific Data article https://www.nature.com/articles/sdata2018125<\/a> (original release February 14th 2017).", + "listName": "CPDATv1", "chemicalCount": 45358, "createdAt": "2017-02-14T10:17:56Z", "updatedAt": "2024-03-13T02:40:53Z", - "listName": "CPDATv1", "shortDescription": "Chemicals contained in the EPA's Chemical and Products Database: Version 1 (original release February 14th 2017)\r\n\r\n" }, { - "id": 1103, + "id": 2132, "type": "federal", - "label": "Clean Water Act (CWA) Section 311(b)(2)(A) list", "visibility": "PUBLIC", - "longDescription": "The Clean Water Act (CWA) Section 311(b)(2)(A) requires EPA to compile a list of hazardous substances which, when discharged to navigable waters or adjoining shorelines, present an imminent and substantial danger to the public health or welfare. This includes danger to fish, shellfish, wildlife, and beaches. CWA 311-HS: includes 40 CFR parts 116 and 117 Part 116-Designation of Hazardous Substances Part 117-Determination of Reportable Quantities of Hazardous Substances", - "chemicalCount": 391, - "createdAt": "2021-04-06T12:25:53Z", - "updatedAt": "2021-04-06T12:33:43Z", + "label": "Clean Water Act (CWA) Section 311(b)(2)(A) list", + "longDescription": "The Clean Water Act (CWA) Section 311(b)(2)(A) requires EPA to compile a list of hazardous substances which, when discharged to navigable waters or adjoining shorelines, present an imminent and substantial danger to the public health or welfare. This includes danger to fish, shellfish, wildlife, and beaches. CWA 311-HS: includes 40 CFR parts 116 and 117 Part 116-Designation of Hazardous Substances Part 117-Determination of Reportable Quantities of Hazardous Substances (Last updated 8/18/2024)", "listName": "CWA311HS", + "chemicalCount": 380, + "createdAt": "2024-08-18T00:58:31Z", + "updatedAt": "2024-08-18T01:06:59Z", "shortDescription": "Clean Water Act (CWA) Section 311(b)(2)(A) list of hazardous substances" }, { "id": 1986, "type": "federal", - "label": "DEA Schedule 1 Drugs", "visibility": "PUBLIC", + "label": "DEA Schedule 1 Drugs", "longDescription": "Schedule I drugs, substances, or chemicals are defined as drugs with no currently accepted medical use and a high potential for abuse. Some examples of Schedule I drugs are: heroin, lysergic acid diethylamide (LSD), marijuana (cannabis), 3,4-methylenedioxymethamphetamine (ecstasy), methaqualone, and peyote.\r\n\r\nThe Alphabetical listing of Controlled Substances is available online here<\/a>.", + "listName": "DEASCHED1", "chemicalCount": 275, "createdAt": "2024-02-07T20:06:11Z", "updatedAt": "2024-02-07T20:21:22Z", - "listName": "DEASCHED1", "shortDescription": "Schedule I drugs, substances, or chemicals are defined as drugs with no currently accepted medical use and a high potential for abuse. " }, { "id": 1987, "type": "federal", - "label": "DEA Schedule 2 Drugs", "visibility": "PUBLIC", + "label": "DEA Schedule 2 Drugs", "longDescription": "Schedule II drugs, substances, or chemicals are defined as drugs with a high potential for abuse, with use potentially leading to severe psychological or physical dependence. These drugs are also considered dangerous. Some examples of Schedule II drugs are: combination products with less than 15 milligrams of hydrocodone per dosage unit (Vicodin), cocaine, methamphetamine, methadone, hydromorphone (Dilaudid), meperidine (Demerol), oxycodone (OxyContin), fentanyl, Dexedrine, Adderall, and Ritalin\r\n\r\nThe Alphabetical listing of Controlled Substances is available online here<\/a>.", + "listName": "DEASCHED2", "chemicalCount": 58, "createdAt": "2024-02-07T20:26:37Z", "updatedAt": "2024-02-07T20:31:52Z", - "listName": "DEASCHED2", "shortDescription": "Schedule II drugs, substances, or chemicals are defined as drugs with a high potential for abuse, with use potentially leading to severe psychological or physical dependence." }, { "id": 1991, "type": "federal", - "label": "DEA Schedule 3 Drugs", "visibility": "PUBLIC", + "label": "DEA Schedule 3 Drugs", "longDescription": "Schedule III drugs, substances, or chemicals are defined as drugs with a moderate to low potential for physical and psychological dependence. Schedule III drugs abuse potential is less than Schedule I and Schedule II drugs but more than Schedule IV. Some examples of Schedule III drugs are: products containing less than 90 milligrams of codeine per dosage unit (Tylenol with codeine), ketamine, anabolic steroids, testosterone\r\n\r\nThe Alphabetical listing of Controlled Substances is available online here<\/a>.\r\n", + "listName": "DEASCHED3", "chemicalCount": 104, "createdAt": "2024-02-07T23:32:55Z", "updatedAt": "2024-02-08T18:35:04Z", - "listName": "DEASCHED3", "shortDescription": "Schedule III drugs, substances, or chemicals are defined as drugs with a moderate to low potential for physical and psychological dependence. " }, { "id": 1988, "type": "federal", - "label": "DEA Schedule 4 Drugs", "visibility": "PUBLIC", + "label": "DEA Schedule 4 Drugs", "longDescription": "Schedule IV drugs, substances, or chemicals are defined as drugs with a low potential for abuse and low risk of dependence. Some examples of Schedule IV drugs are: Xanax, Soma, Darvon, Darvocet, Valium, Ativan, Talwin, Ambien, Tramadol.\r\n\r\nThe Alphabetical listing of Controlled Substances is available online here<\/a>.\r\n", + "listName": "DEASCHED4", "chemicalCount": 81, "createdAt": "2024-02-07T23:01:52Z", "updatedAt": "2024-02-07T23:02:31Z", - "listName": "DEASCHED4", "shortDescription": "Schedule IV drugs, substances, or chemicals are defined as drugs with a low potential for abuse and low risk of dependence. " }, { "id": 1989, "type": "federal", - "label": "DEA Schedule 5 Drugs", "visibility": "PUBLIC", + "label": "DEA Schedule 5 Drugs", "longDescription": "Schedule V drugs, substances, or chemicals are defined as drugs with lower potential for abuse than Schedule IV and consist of preparations containing limited quantities of certain narcotics. Schedule V drugs are generally used for antidiarrheal, antitussive, and analgesic purposes. Some examples of Schedule V drugs are: cough preparations with less than 200 milligrams of codeine or per 100 milliliters (Robitussin AC), Lomotil, Motofen, Lyrica, Parepectolin.\r\n\r\nThe Alphabetical listing of Controlled Substances is available online here<\/a>.", + "listName": "DEASCHED5", "chemicalCount": 12, "createdAt": "2024-02-07T23:05:29Z", "updatedAt": "2024-02-07T23:06:22Z", - "listName": "DEASCHED5", "shortDescription": "Schedule V drugs, substances, or chemicals are defined as drugs with lower potential for abuse than Schedule IV and consist of preparations containing limited quantities of certain narcotics. " }, { "id": 952, "type": "federal", - "label": "EPA|ECOTOX: Ecotoxicology knowledgebase version 4", "visibility": "PUBLIC", + "label": "EPA|ECOTOX: Ecotoxicology knowledgebase version 4", "longDescription": "The ECOTOX Knowledgebase is a comprehensive, dynamic, curated database that summarizes chemical environmental toxicity data on aquatic life, terrestrial plants, and wildlife. This publically available database includes curated data from over 47,000 publications and is updated quarterly. For more information on the ECOTOX Knowledgebase and to search the ECOTOX records, see: https://cfpub.epa.gov/ecotox/. This is the data snapshot as of June 30 2020. Curation is an ongoing process.\r\n", + "listName": "ECOTOX_v4", "chemicalCount": 13189, "createdAt": "2020-06-30T22:19:23Z", "updatedAt": "2022-06-21T18:41:36Z", - "listName": "ECOTOX_v4", "shortDescription": "ECOTOXicology knowledgebase (ECOTOX) is a comprehensive, publicly available knowledgebase providing single chemical environmental toxicity data on aquatic life, terrestrial plants and wildlife" }, { "id": 1611, "type": "federal", - "label": "EPA|ECOTOX: Ecotoxicology knowledgebase version 5", "visibility": "PUBLIC", + "label": "EPA|ECOTOX: Ecotoxicology knowledgebase version 5", "longDescription": "The ECOTOX Knowledgebase is a comprehensive, dynamic, curated database that summarizes chemical environmental toxicity data on aquatic life, terrestrial plants, and wildlife. This publically available database includes curated data from over 47,000 publications and is updated quarterly. For more information on the ECOTOX Knowledgebase and to search the ECOTOX records, see: https://cfpub.epa.gov/ecotox/. This is the data snapshot as of September 30 2022. Curation is an ongoing process.", + "listName": "ECOTOX_v5", "chemicalCount": 12571, "createdAt": "2022-09-30T20:51:16Z", "updatedAt": "2022-11-08T13:10:47Z", - "listName": "ECOTOX_v5", "shortDescription": "ECOTOXicology knowledgebase (ECOTOX) is a comprehensive, publicly available knowledgebase providing single chemical environmental toxicity data on aquatic life, terrestrial plants and wildlife." }, { "id": 1696, "type": "federal", - "label": "EPA|ECOTOX: Ecotoxicology knowledgebase version 6", "visibility": "PUBLIC", + "label": "EPA|ECOTOX: Ecotoxicology knowledgebase version 6", "longDescription": "The ECOTOX Knowledgebase is a comprehensive, dynamic, curated database that summarizes chemical environmental toxicity data on aquatic life, terrestrial plants, and wildlife. This publically available database includes curated data from over 47,000 publications and is updated quarterly. For more information on the ECOTOX Knowledgebase and to search the ECOTOX records, see: https://cfpub.epa.gov/ecotox/. This is the data snapshot as of February 5th 2023. Curation is an ongoing process.", + "listName": "ECOTOX_v6", "chemicalCount": 12690, "createdAt": "2023-02-05T23:13:55Z", "updatedAt": "2023-02-22T08:46:57Z", - "listName": "ECOTOX_v6", "shortDescription": "ECOTOXicology knowledgebase (ECOTOX) is a comprehensive, publicly available knowledgebase providing single chemical environmental toxicity data on aquatic life, terrestrial plants and wildlife." }, { "id": 568, "type": "federal", - "label": "EPA|ENDOCRINE: EDSP21 Tier 1 Screening Chemicals: List 1", "visibility": "PUBLIC", + "label": "EPA|ENDOCRINE: EDSP21 Tier 1 Screening Chemicals: List 1", "longDescription": "The list of chemicals for initial EDSP Tier 1 Screening under the Endocrine Disruptor Screening Program includes chemicals that the Agency, in its discretion, decided should be tested first, based upon exposure potential. The final EDSP List 1 was announced in a Federal Register Notice<\/a> dated April 15, 2009.

\r\n\r\nThe second list of chemicals for initial EDSP Tier 1 Screening under the Endocrine Disruptor Screening Program includes a large number of pesticides, two perfluorocarbon compounds (PFCs), and four pharmaceuticals (erythromycin, lindane, nitroglycerin, and quinoline). It is available
here<\/a>.", + "listName": "EDSP21LIST1", "chemicalCount": 67, "createdAt": "2018-11-16T14:41:17Z", "updatedAt": "2019-05-18T21:00:25Z", - "listName": "EDSP21LIST1", "shortDescription": "EDSP21 Tier 1 Screening Chemicals: List 1" }, { "id": 569, "type": "federal", - "label": "EPA|ENDOCRINE: EDSP21 Tier 1 Screening Chemicals: List 2", "visibility": "PUBLIC", + "label": "EPA|ENDOCRINE: EDSP21 Tier 1 Screening Chemicals: List 2", "longDescription": "The second list of chemicals for initial EDSP Tier 1 Screening under the Endocrine Disruptor Screening Program includes a large number of pesticides, two perfluorocarbon compounds (PFCs), and four pharmaceuticals (erythromycin, lindane, nitroglycerin, and quinoline). The final EDSP List 2 was announced in a Federal Register Notice<\/a> dated April 15, 2009.

\r\n\r\nThe first list of chemicals for initial EDSP Tier 1 Screening under the Endocrine Disruptor Screening is available
here<\/a>.", + "listName": "EDSP21LIST2", "chemicalCount": 107, "createdAt": "2018-11-16T14:42:41Z", "updatedAt": "2019-05-18T21:01:43Z", - "listName": "EDSP21LIST2", "shortDescription": "EDSP21 Tier 1 Screening Chemicals: List 2" }, { "id": 272, "type": "federal", - "label": "EPA|ENDOCRINE: EDSP Universe of Chemicals", "visibility": "PUBLIC", + "label": "EPA|ENDOCRINE: EDSP Universe of Chemicals", "longDescription": "EPA’s Endocrine Disruptor Screening Program<\/a> (EDSP) evaluates chemicals for potential endocrine disruption and there are thousands of chemicals of interest to the program, which make up the EDSP Universe of Chemicals. EPA researchers developed the EDSP Universe of Chemicals Dashboard to provide access to chemical data on over 1,800 chemicals of interest.\r\nThe purpose of the EDSP Dashboard is to help the Endocrine Disruptor Screening Program evaluate chemicals for endocrine-related activity. The data for this version of the Dashboard comes from various sources:

\r\n•\tRapid, automated (or in vitro high-throughput) chemical screening data generated by the EPA’s Toxicity Forecaster (ToxCast) project and the federal Toxicity Testing in the 21st century (Tox21) collaboration.
\r\n•\tChemical exposure data and prediction models (ExpoCastDB).
\r\n•\tHigh quality chemical structures and annotations (DSSTox).
\r\n•\tPhyschem Properties Database (PhysChemDB).

\r\nThe Dashboard displays bioassay information, bioactivity concentrations, estrogen and androgen receptor (ER and AR) model results, predicted physicochemical properties, and more. Current chemical and bioassay data can be accessed at
https://comptox.epa.gov/dashboard<\/a> and https://www.epa.gov/chemical-research/toxicity-forecaster-toxcasttm-data<\/a> . Published ER (PMID 26272952<\/a>) and AR (PMID 27933809<\/a>) model results are available for citation.

\r\nWhen using the Dashboard, keep in mind:

\r\n•\tThe activity of a chemical in a specific assay does not necessarily mean that it will cause toxicity or an adverse health outcome. There are many factors that determine whether a chemical will cause a specific adverse health outcome. Careful review is required to determine the use of the data in a particular decision context.
\r\n•\tInterpretation of ToxCast data is expected to change over time as both the science and analytical methods improve.
\r\n•\tAdditional substances that are not part of the EDSP’s statutory authority are included since they are relevant to EPA’s ongoing work on the validation of the endocrine and androgen bioactivity models.

\r\nEPA will continuously update chemicals on the EDSP Dashboard to include as much relevant information on chemicals in the EDSP
Universe of Chemicals<\/a> as possible. Some “EDSP Universe of Chemicals” do not have bioactivity information in the EDSP Dashboard because of the incompatibility of some chemicals to be tested in ToxCast (e.g., chemical too volatile, chemical not soluble in DMSO, etc.).

\r\nThe
list of the EDSP Universe of Chemicals<\/a> contains approximately 10,000 chemicals, as defined under FFDCA and SDWA 1996 amendments. \r\nThe Agency has also added test data on as many chemicals as possible to the EDSP Dashboard that were on EDSP List 1<\/a> and EDSP List 2<\/a>:

\r\n\r\n
EDSP List 1<\/a>: The list of chemicals for initial EDSP Tier 1 Screening under the Endocrine Disruptor Screening Program includes chemicals that the Agency, in its discretion, decided should be tested first, based upon exposure potential. The final EDSP List 1 was announced in a Federal Register Notice<\/a> dated April 15, 2009.

\r\n\r\n
EDSP List 2<\/a>: The second list of chemicals for initial EDSP Tier 1 Screening under the Endocrine Disruptor Screening Program includes a large number of pesticides, two perfluorocarbon compounds (PFCs), and four pharmaceuticals (erythromycin, lindane, nitroglycerin, and quinoline). The final EDSP List 2 was announced in a Federal Register Notice<\/a> dated June 14, 2013.

\r\n\r\nA dynamic table of preliminary
ER model scores<\/a> from the EDSP Dashboard resides in EPA's Endocrine Disruption website<\/a>.\r\n", + "listName": "EDSPUoC", "chemicalCount": 10045, "createdAt": "2016-09-19T15:46:21Z", "updatedAt": "2021-08-07T00:49:38Z", - "listName": "EDSPUoC", "shortDescription": "This list of EDSP-related chemicals on the EPA CompTox Dashboard is not a complete listing from the EDSP Universe of Chemicals." }, { "id": 1431, "type": "federal", - "label": "CATEGORY|EPA|BIOPESTICIDES:Office of Pesticide Programs Information Network Biopesticides Subset List", "visibility": "PUBLIC", + "label": "CATEGORY|EPA|BIOPESTICIDES:Office of Pesticide Programs Information Network Biopesticides Subset List", "longDescription": "The Office of Pesticide Programs has migrated all of its major data systems including regulatory and scientific data, workflow tracking and electronic document management into one integrated system, the Office of Pesticide Programs Information Network (OPPIN). OPPIN consolidates information now stored on the mainframe, the OPP LAN, on stand alone computers and in paper copy. This list represents a Biopesticides subset of the larger OPPIN list specifically labeled for use as biopesticides, sourced from https://www.epa.gov/ingredients-used-pesticide-products/biopesticide-active-ingredients<\/a>. (Last updated 8/17/2022 and under constant curation). ", + "listName": "EPABIOPESTICIDES", "chemicalCount": 313, "createdAt": "2022-03-31T17:59:22Z", "updatedAt": "2022-08-17T19:37:02Z", - "listName": "EPABIOPESTICIDES", "shortDescription": "CATEGORY|EPA|BIOPESTICIDES:Office of Pesticide Programs Information Network Biopesticides Subset List" }, { "id": 592, "type": "federal", - "label": "EPA|CHEMINV: ToxCast/Tox21 Chemical inventory available as DMSO solutions (20181123)", "visibility": "PUBLIC", + "label": "EPA|CHEMINV: ToxCast/Tox21 Chemical inventory available as DMSO solutions (20181123)", "longDescription": "EPACHEMINV_AVAIL is a snapshot of the full list of unique DSSTox substances for which DMSO solutions are available through EPA Chemical Contract Services to supply ToxCast and Tox21 cross-partner projects. This inventory includes only those substances deemed soluble in DMSO at 5mM or higher concentrations, and excludes substances marked for volatility or reactivity concerns. EPACHEMINV_AVAIL includes EPA’s previous ToxCast inventory (a subset of (TOXCAST<\/a>) as well as approximately 1300 chemicals donated by the National Toxicology Program (NTP) as part of the Tox21 chemical library consolidation effort. This recently added NTP set represents the full portion of NTP’s original contribution to the Tox21 library (TOX21SL<\/a>) that was deemed to be non-overlapping with EPA’s current ToxCast library.

\r\nOf the total unique chemicals in EPACHEMINV_AVAIL, approximately 6000 were included in the original TOX21SL library (70% of the total), with the remainder in EPACHEMINV_AVAIL resulting from the continuous expansion of EPA’s ToxCast library. The remaining Tox21 chemicals not included in EPACHEMINV were either discontinued or were drugs originally contributed by the Tox21 NCATS (National Center for Advances in Translational Science) partner; future expansion of EPACHEMINV_AVAIL may include newly procured drugs provided by NCATS. Hence, in addition to supplying new ToxCast projects, EPACHEMINV_AVAIL is intended to serve as the new, consolidated TOX21 library moving forward, as outlined in the recently published Tox21 strategic and operational planning document (available at
https://www.ncbi.nlm.nih.gov/pubmed/29529324)<\/a>. The plan articulates areas of focused scientific investment, both in chemical and biological space, to which new Tox21 cross-partner projects will be directed.

\r\nFor more information on EPA’s ToxCast program, see:\r\n
https://www.epa.gov/chemical-research/toxicity-forecasting<\/a>

\r\nFor current information on the Tox21 program, see \r\n
https://tox21.gov/page/home<\/a>

\r\n", + "listName": "EPACHEMINV_AVAIL", "chemicalCount": 6408, "createdAt": "2018-11-21T16:54:55Z", "updatedAt": "2019-05-18T20:55:26Z", - "listName": "EPACHEMINV_AVAIL", "shortDescription": "EPACHEMINV_AVAIL is list of unique DSSTox substances available as DMSO solutions for ToxCast and Tox21 partner projects, managed by EPA Chemical Contract Services." }, { "id": 482, "type": "federal", - "label": "WATER|EPA: Drinking Water Standard and Health Advisories Table", "visibility": "PUBLIC", - "longDescription": "The EPA's Drinking Water Standard and Health Advisories Table summarizes EPA's drinking water regulations and health advisories, as well as reference dose (RFD) and cancer risk values, for drinking water contaminants. The list given is published with Maximum Contaminant Levels (MCLs) and Maximum Contaminant Level Goals (MCLGs).", - "chemicalCount": 212, - "createdAt": "2018-05-04T22:34:47Z", - "updatedAt": "2019-10-21T13:23:27Z", + "label": "WATER|EPA: Drinking Water Standard and Health Advisories Table", + "longDescription": "The EPA's Drinking Water Standard and Health Advisories Table summarizes EPA's drinking water regulations and health advisories, as well as reference dose (RFD) and cancer risk values, for drinking water contaminants. The list given is published with Maximum Contaminant Levels (MCLs) and Maximum Contaminant Level Goals (MCLGs). Updated (8/18/2024) with PFAS chemicals: Perfluorooctanoic acid (PFOA), Perfluorooctanesulfonic acid (PFOS), Hexafluoropropylene Oxide (HFPO) Dimer Acid and its Ammonium Salt, Perfluorobutanesulfonic acid and its Potassium Salt (PFBS)", "listName": "EPADWS", + "chemicalCount": 216, + "createdAt": "2018-05-04T22:34:47Z", + "updatedAt": "2024-08-18T01:19:38Z", "shortDescription": "The EPA's Drinking Water Standard and Health Advisories Table summarizes EPA's drinking water regulations and health advisories, as well as reference dose (RFD) and cancer risk values, for drinking water contaminants." }, { "id": 149, "type": "federal", - "label": "EPA|ECOTOX: Fathead Minnow Acute Toxicity ", "visibility": "PUBLIC", + "label": "EPA|ECOTOX: Fathead Minnow Acute Toxicity ", "longDescription": "The EPA Fathead Minnow Acute Toxicity database was generated by the U.S. EPA Mid-Continental Ecology Division (MED) for the purpose of developing an expert system to predict acute toxicity from chemical structure based on mode of action considerations. Hence, an important and unusual characteristic of this toxicity database is that the 617 tested industrial organic chemicals were expressly chosen to serve as a useful training set for development of predictive quantitative structure-activity relationships (QSARs). A second valuable aspect of this database, from a QSAR modeling perspective, is the inclusion of general mode-of-action (MOA) classifications of acute toxicity response for individual chemicals derived from study results. These MOA assignments are biologically based classifications, allowing definition of chemical similarity based upon biological activity instead of organic chemistry functional class as most commonly employed in QSAR study. MOA classifications should strengthen the scientific basis for construction of individual QSARs. However, it is cautioned that the broad MOA categorizations should not be construed to represent a single molecular mechanism; for example, CNS seizure agents and respiratory inhibitors are known to act through a variety of receptors. The DSSTox EPAFHM database includes information pertaining to organic chemical class assignments (ChemClass_FHM), acute toxicity in fathead minnow (LC50_mg), dose-response assessments (LC50_Ratio, ExcessToxicityIndex), behavioral assessments (FishBehaviorTest), joint toxicity MOA evaluations of mixtures (MOA_MixtureTest), and additional MOA evaluation of fish acute toxicity syndrome (FishAcuteToxSyndrome) in rainbow trout. All of these indicators, to the extent available, were considered in the determination of MOA and, additionally, were used to determine a level of confidence in the MOA assignment for each chemical (MOA_Confidence). ", + "listName": "EPAFHM", "chemicalCount": 617, "createdAt": "2008-02-15T00:00:00Z", "updatedAt": "2018-11-16T21:01:46Z", - "listName": "EPAFHM", "shortDescription": "The EPA Fathead Minnow Acute Toxicity database was generated by the U.S. EPA Mid-Continental Ecology Division (MED)" }, { "id": 1694, "type": "federal", - "label": "EPA| List of Hazardous Air Pollutants", "visibility": "PUBLIC", + "label": "EPA| List of Hazardous Air Pollutants", "longDescription": "Under the Clean Air Act, EPA is required to regulate emissions of hazardous air pollutants. This is the current list of pollutants (Final rule effective: February 4, 2022). \r\n\r\nNOTE: For all listings above which contain the word 'compounds' and for glycol ethers, the following applies: Unless otherwise specified, these listings are defined as including any unique chemical substance that contains the named chemical (i.e., antimony, arsenic, etc.) as part of that chemical's infrastructure.\r\n", + "listName": "EPAHAPS", "chemicalCount": 188, "createdAt": "2023-01-31T20:30:58Z", "updatedAt": "2023-02-01T10:07:45Z", - "listName": "EPAHAPS", "shortDescription": "Under the Clean Air Act, EPA is required to regulate emissions of hazardous air pollutants. This is the current list of pollutants (Final rule effective: February 4, 2022)." }, { "id": 450, "type": "federal", - "label": "WATER|EPA; Chemicals associated with hydraulic fracturing", "visibility": "PUBLIC", + "label": "WATER|EPA; Chemicals associated with hydraulic fracturing", "longDescription": "Chemicals used in hydraulic fracturing fluids and/or identified in produced water from 2005-2013, corresponding to chemicals listed in Appendix H of EPA’s Hydraulic Fracking Drinking Water Assessment Final Report (Dec 2016). Citation: U.S. EPA, Hydraulic Fracturing for Oil and Gas: Impacts from the Hydraulic Fracturing Water Cycle on Drinking Water Resources in the United States (Final Report). U.S. Environmental Protection Agency, Washington, D.C. EPA/600/R-16/236F, 2016.
https://www.epa.gov/hfstudy<\/a>

\r\n\r\n\r\n*Note that Appendix H chemical listings in Tables H-2 and H-4 were mapped to current DSSTox content, which has undergone additional curation since the publication of the original EPA HF Report (Dec 2016). In the few cases where a Chemical Name and CASRN from the original report map to distinct substances (as of Jan 2018), both were included in the current EPAHFR chemical listing for completeness; additionally, 34 previously unmapped chemicals in Table H-5 are now registered in DSSTox (all but 2 assigned CASRN) and, thus, have been added to the current EPAHFR listing.", + "listName": "EPAHFR", "chemicalCount": 1640, "createdAt": "2018-01-29T18:59:12Z", "updatedAt": "2018-11-16T21:02:48Z", - "listName": "EPAHFR", "shortDescription": "EPAHFR lists chemicals associated with hydraulic fracturing from 2005-20013, as reported in EPA’s Hydraulic Fracturing Drinking Water Assessment Final Report (Dec 2016)" }, { "id": 570, "type": "federal", - "label": "WATER|EPA; Chemicals in hydraulic fracturing fluids Table H-2", "visibility": "PUBLIC", + "label": "WATER|EPA; Chemicals in hydraulic fracturing fluids Table H-2", "longDescription": "Table H-2 . Chemicals reported to be used in hydraulic fracturing fluids from 2005-2013 corresponding to chemicals listed in Appendix H of EPA’s Hydraulic Fracking Drinking Water Assessment Final Report (Dec 2016). Citation: U.S. EPA, Hydraulic Fracturing for Oil and Gas: Impacts from the Hydraulic Fracturing Water Cycle on Drinking Water Resources in the United States (Final Report). U.S. Environmental Protection Agency, Washington, D.C. EPA/600/R-16/236F, 2016. https://www.epa.gov/hfstudy\r\n\r\n", + "listName": "EPAHFRTABLE2", "chemicalCount": 1082, "createdAt": "2018-11-16T14:44:27Z", "updatedAt": "2018-11-16T21:03:49Z", - "listName": "EPAHFRTABLE2", "shortDescription": "Table H-2 . Chemicals reported to be used in hydraulic fracturing fluids from 2005-2013" }, { "id": 406, "type": "federal", - "label": "EPA: High Production Volume List ", "visibility": "PUBLIC", + "label": "EPA: High Production Volume List ", "longDescription": "The United States High Production Volume (USHPV) database contains information about chemicals that are included in the High Production Volume (HPV) Challenge Program. Chemicals considered to be HPV are those that are manufactured in or imported into the United States in amounts equal to or greater than one million pounds per year. The goal of the HPV Challenge Program is to complete baseline testing on HPV chemicals by the year 2004. The Environmental Protection Agency (EPA) is challenging the chemical industry to undertake testing on HPV chemicals voluntarily. However, EPA will mandate testing of all HPV chemicals by law under the testing authority of Section 4 of the Toxic Substance Control Act (TSCA).", + "listName": "EPAHPV", "chemicalCount": 4297, "createdAt": "2017-07-25T09:32:45Z", "updatedAt": "2018-11-18T21:50:19Z", - "listName": "EPAHPV", "shortDescription": "The United States High Production Volume (USHPV) database contains information about chemicals that are included in the High Production Volume (HPV) Challenge Program." }, { "id": 165, "type": "federal", - "label": "EPA: Mechanism of Action (MoA) for aquatic toxicity", "visibility": "PUBLIC", + "label": "EPA: Mechanism of Action (MoA) for aquatic toxicity", "longDescription": "The mode of toxic action (MOA) has been recognized as a key determinant of chemical toxicity andas an alternative to chemical class-based predictive toxicity modeling. However, the development of quantitative structure activity relationship (QSAR) and other models has been limited by the avail-ability of comprehensive high quality MOA and toxicity databases. A study developed a dataset of MOA assignments for 1213 chemicals that included a diversity of metals, pesticides, and other organic compounds that encompassed six broad and 31 specific MOAs. MOA assignments were made using a combination of high confidence approaches that included international consensus classifications, QSAR predictions, and weight of evidence professional judgment based on an assessment of structure and literature information. ", + "listName": "EPAMOA", "chemicalCount": 1227, "createdAt": "2015-04-15T13:49:07Z", "updatedAt": "2018-11-18T22:00:30Z", - "listName": "EPAMOA", "shortDescription": "MOAtox: A Comprehensive Mode of Action and Acute Aquatic Toxicity Database for Predictive Model Development" }, { "id": 743, "type": "federal", - "label": "EPA Office of Pesticide Programs Information Network (OPPIN)", "visibility": "PUBLIC", + "label": "EPA Office of Pesticide Programs Information Network (OPPIN)", "longDescription": "The Office of Pesticide Programs has migrated all of its major data systems including regulatory and scientific data, workflow tracking and electronic document management into one integrated system, the Office of Pesticide Programs Information Network (OPPIN). OPPIN consolidates information now stored on the mainframe, the OPP LAN, on stand alone computers and in paper copy.", + "listName": "EPAOPPIN", "chemicalCount": 4071, "createdAt": "2019-10-28T19:31:49Z", "updatedAt": "2023-07-30T13:38:13Z", - "listName": "EPAOPPIN", "shortDescription": "EPA's Office of Pesticide Programs Information Network (OPPIN)" }, { "id": 764, "type": "federal", - "label": "EPA: Provisional Advisory Levels", "visibility": "PUBLIC", + "label": "EPA: Provisional Advisory Levels", "longDescription": "The unanticipated, emergency release of chemicals can cause harm to emergency responders and bystanders. EPA/ORD’s National Homeland Security Research Center (NHSRC) develops health-based Provisional Advisory Levels (PALs) for high priority chemicals including toxic industrial chemicals and chemical warfare agents.These help emergency responders decide whether and for how long humans can be temporarily exposed to unanticipated, uncontrolled chemical releases such as accidents, terrorist attacks and natural disasters. The values are derived using peer reviewed risk assessment methods, and they are specifically tailored to the short term human exposures most associated with emergency releases and clean-up operations. ", + "listName": "EPAPALS", "chemicalCount": 54, "createdAt": "2019-11-16T09:26:25Z", "updatedAt": "2019-11-16T09:47:22Z", - "listName": "EPAPALS", "shortDescription": "Provisional Advisory Levels (PALs) for high priority chemicals including toxic industrial chemicals and chemical warfare agents." }, { "id": 423, "type": "federal", - "label": "PESTICIDES|EPA: Pesticide Chemical Search Database", "visibility": "PUBLIC", + "label": "PESTICIDES|EPA: Pesticide Chemical Search Database", "longDescription": "The entries in this list have been classified in the U.S. as pesticidal “active ingredients” (conventional, antimicrobial, or biopesticidal agents), and were sourced from the Pesticide Chemical Search database (
https://iaspub.epa.gov/apex/pesticides/f?p=chemicalsearch:1<\/a>) created by EPA’s Office of Pesticide Programs.

\r\nChemical Search provides a single point of reference for easy access to information previously published in a variety of locations, including various EPA web pages and Regulations.gov. Chemical search contains the following:
1) More than 20,000 regulatory documents;
2) Links to over 800 dockets in Regulations.gov
3) Links to pesticide tolerance (or maximum residue levels) information;
4) A variety of web services providing easy access to other scientific and regulatory information on particular chemicals from other EPA programs and federal government sources.

\r\nIt should be noted that the Pesticide Chemical Search site is not actively maintained and the various chemicals can be out of date in terms of status.\r\n\r\n\r\n", + "listName": "EPAPCS", "chemicalCount": 4039, "createdAt": "2017-11-07T13:48:05Z", "updatedAt": "2019-10-25T22:10:41Z", - "listName": "EPAPCS", "shortDescription": "The entries in this list have been classified in the U.S. as pesticidal “active ingredients” (conventional, antimicrobial, or biopesticidal agents), and were sourced from the Pesticide Chemical Search database." }, { "id": 1023, "type": "federal", - "label": "CATEGORY|EPA: Pesticide Inerts Fragrance Ingredient List UPDATED 09/16/2020", "visibility": "PUBLIC", + "label": "CATEGORY|EPA: Pesticide Inerts Fragrance Ingredient List UPDATED 09/16/2020", "longDescription": "Inert pesticide ingredients on the Fragrance Ingredient List are nonfood use only, but are subject to additional limitations and requirements, as described in EPA’s guidance on the Pesticides Fragrance Notification Pilot Program. For more information, see:
as defined by EPA<\/a>", + "listName": "EPAPESTINERTFRAG", "chemicalCount": 1334, "createdAt": "2020-09-25T13:48:59Z", "updatedAt": "2023-11-30T15:10:57Z", - "listName": "EPAPESTINERTFRAG", "shortDescription": "EPA Pesticide Inert Fragrance Ingredient List (FIL), nonfood use only UPDATED 09/16/2020" }, { "id": 516, "type": "federal", - "label": "PFAS|EPA: List of 75 Test Samples (Set 1)", "visibility": "PUBLIC", + "label": "PFAS|EPA: List of 75 Test Samples (Set 1)", "longDescription": "Per- and Polyfluoroalkyl Substances (PFAS) list corresponds to 75 samples (Set 1) submitted for the initial testing screens conducted by EPA researchers in collaboration with researchers at the National Toxicology Program. The set of 75 samples consists of 74 unique substances (DTXSID3037709, Potassium perfluorohexanesulfonate duplicated in set, procured from 2 different suppliers). Substances were selected based on a prioritization scheme that considered EPA Agency priorities, exposure/occurrence considerations, availability of animal or in vitro<\/i> toxicity data, and ability to procure in non-gaseous form and solubilize samples in DMSO. For more information, see:\r\nhttps://ehp.niehs.nih.gov/doi/full/10.1289/EHP4555<\/a>\r\n", + "listName": "EPAPFAS75S1", "chemicalCount": 74, "createdAt": "2018-06-29T17:20:24Z", "updatedAt": "2019-02-06T17:08:23Z", - "listName": "EPAPFAS75S1", "shortDescription": "PFAS list corresponds to 75 samples (Set 1) submitted for initial testing screens conducted by EPA researchers in collaboration with researchers at the National Toxicology Program." }, { "id": 603, "type": "federal", - "label": "PFAS|EPA: List of 75 Test Samples (Set 2)", "visibility": "PUBLIC", + "label": "PFAS|EPA: List of 75 Test Samples (Set 2)", "longDescription": "Per- and Polyfluoroalkyl Substances (PFAS) list corresponds to a second set of 75 samples (Set 2) submitted for the testing screens conducted by EPA researchers in collaboration with researchers at the National Toxicology Program. The list of the first set of 75 samples (Set 1) can be accessed at EPAPFAS75S1<\/a>. Substances for both Set 1 and Set 2 were selected based on a prioritization scheme that considered EPA Agency priorities, exposure/occurrence considerations, availability of animal or in vitro<\/i> toxicity data, and ability to procure in non-gaseous form and solubilize samples in DMSO. For more information, see:\r\nhttps://ehp.niehs.nih.gov/doi/full/10.1289/EHP4555<\/a>

Update (20Mar2019): Due to concerns for corrosivity and reactivity, the following 2 PFAS chemicals were removed from Set 2 and were not submitted for testing and analysis: DTXSID9041578, Trifluoroacetic acid, 76-05-1 and DTXSID2044397 Trifluoromethanesulfonic acid, 1493-13-6. \r\n\r\n", + "listName": "EPAPFAS75S2", "chemicalCount": 76, "createdAt": "2019-02-06T16:02:23Z", "updatedAt": "2021-09-28T22:49:25Z", - "listName": "EPAPFAS75S2", "shortDescription": "PFAS list corresponds to a second set of 75 samples (Set 2) submitted for testing screens conducted by EPA researchers in collaboration with researchers at the National Toxicology Program." }, { "id": 929, "type": "federal", - "label": "PFAS|EPA Structure-based Categories", "visibility": "PUBLIC", + "label": "PFAS|EPA Structure-based Categories", "longDescription": "List of registered DSSTox “category substances” representing Per- and Polyfluoroalkyl Substances (PFAS) categories created using ChemAxon’s Markush structure-based query representations. Markush categories can be broad and inclusive of more specific categories or can represent a unique category not overlapping with other registered categories. Each PFAS category registered with a unique DTXSID is considered a generalized substance or “parent ID” that can be associated with one or many “child IDs” (i.e. many parent-child mappings) within the full DSSTox database. These category DTXSIDs can be used to search and retrieve all currently registered DSSTox substances within the category group, and offer an objective, transparent and reproducible structure-based means of defining a category of chemicals. This list and the corresponding category mappings are undergoing continuous curation and expansion.", + "listName": "EPAPFASCAT", "chemicalCount": 112, "createdAt": "2020-05-29T13:21:01Z", "updatedAt": "2021-06-15T17:25:54Z", - "listName": "EPAPFASCAT", "shortDescription": "List of registered DSSTox “category substances” representing PFAS categories created using ChemAxon’s Markush structure-based query representations." }, { "id": 776, "type": "federal", - "label": "PFAS|EPA: New EPA Method Drinking Water", "visibility": "PUBLIC", + "label": "PFAS|EPA: New EPA Method Drinking Water", "longDescription": "EPA is developing and validating a new method for detecting these PFAS in drinking water sources. ", + "listName": "EPAPFASDW", "chemicalCount": 26, "createdAt": "2019-11-16T11:10:32Z", "updatedAt": "2020-04-20T17:30:51Z", - "listName": "EPAPFASDW", "shortDescription": "EPA is developing and validating a new method for detecting these PFAS in drinking water sources. " }, { "id": 519, "type": "federal", - "label": "PFAS|EPA: Chemical Inventory Insoluble in DMSO", "visibility": "PUBLIC", + "label": "PFAS|EPA: Chemical Inventory Insoluble in DMSO", "longDescription": "Per- and Polyfluoroalkyl Substances (PFASs) in EPA’s expanded ToxCast chemical inventory that were determined to be insoluble in DMSO above 5mM concentration. These PFAS chemicals were successfully procured from commercial suppliers (with a small number provided by National Toxicology Program partners) but deemed unsuitable for testing due to limited DMSO solubility. For a complete list of solubilized PFAS in EPA’s inventory, see
https://comptox.epa.gov/dashboard/chemical_lists/EPAPFASINV<\/a>\r\n", + "listName": "EPAPFASINSOL", "chemicalCount": 43, "createdAt": "2018-06-29T20:53:14Z", "updatedAt": "2018-11-16T21:05:48Z", - "listName": "EPAPFASINSOL", "shortDescription": "PFAS chemicals included in EPA’s expanded ToxCast chemical inventory found to be insoluble in DMSO above 5mM." }, { "id": 518, "type": "federal", - "label": "PFAS|EPA: ToxCast Chemical Inventory", "visibility": "PUBLIC", + "label": "PFAS|EPA: ToxCast Chemical Inventory", "longDescription": "Per- and Polyfluoroalkyl Substances (PFAS) included in EPA’s expanded ToxCast chemical inventory and available for testing. These PFAS chemicals were successfully procured from commercial suppliers (with a small number provided by National Toxicology Program partners) and were deemed suitable for testing (i.e., solubilized in DMSO above 5mM, and not gaseous or highly reactive). All or portions of this inventory are being made available to EPA researchers and collaborators to be analyzed and tested in various high-throughput screening (HTS) and high-throughput toxicity (HTT) assays.

The
https://comptox.epa.gov/dashboard/chemical_lists/EPAPFAS75S1<\/a> list is a prioritized subset of this larger chemical inventory.

The
https://comptox.epa.gov/dashboard/chemical_lists/EPAPFASINSOL<\/a> list were chemicals procured, but found to be insoluble in DMSO above 5mM.\r\n", + "listName": "EPAPFASINV", "chemicalCount": 430, "createdAt": "2018-06-29T20:41:08Z", "updatedAt": "2018-11-16T21:06:37Z", - "listName": "EPAPFASINV", "shortDescription": "PFAS chemicals included in EPA’s expanded ToxCast chemical inventory and available for testing." }, { "id": 426, "type": "federal", - "label": "PFAS|EPA: Cross-Agency Research List", "visibility": "PUBLIC", + "label": "PFAS|EPA: Cross-Agency Research List", "longDescription": "EPAPFASRL is a manually curated listing of mainly straight-chain and branched PFAS (Per- & Poly-fluorinated alkyl substances) compiled from various internal, literature and public sources by EPA researchers and program office representatives. Note that this list includes a number of parent, salt and anionic forms of PFAS, the latter being the form detected by mass spectroscopic methods. These different forms are assigned unique DTXSIDs, with a unique structure, CAS (if available) and name, but will collapse to a single form in the MS-ready (or QSAR-ready) structure representations. ", + "listName": "EPAPFASRL", "chemicalCount": 199, "createdAt": "2017-11-16T17:01:14Z", "updatedAt": "2018-11-16T21:07:16Z", - "listName": "EPAPFASRL", "shortDescription": "EPAPFASRL is a manually curated listing of mainly straight-chain and branched PFAS (Per- & Poly-fluorinated alkyl substances) compiled from various internal, literature and public sources by EPA researchers and program office representatives." }, { "id": 876, "type": "federal", - "label": "PFAS|EPA|WATER: PFAS with Validated EPA Drinking Water Methods", "visibility": "PUBLIC", + "label": "PFAS|EPA|WATER: PFAS with Validated EPA Drinking Water Methods", "longDescription": "List of PFAS for which a Standard Drinking Water method (537.1 or 533) exists and which will potentially to be included in UCMR5 (2023-2025)", + "listName": "EPAPFASVALDW", "chemicalCount": 31, "createdAt": "2020-04-20T12:37:25Z", "updatedAt": "2021-09-28T22:51:17Z", - "listName": "EPAPFASVALDW", "shortDescription": "List of PFAS for which a Standard Drinking Water method (537.1 or 533) exists " }, { "id": 1503, "type": "federal", - "label": "EPA Substance Registry Service (May 2022)", "visibility": "PUBLIC", + "label": "EPA Substance Registry Service (May 2022)", "longDescription": "Substance Registry Services (SRS) is the Environmental Protection Agency's (EPA) central system for information about substances that are tracked or regulated by EPA or other sources. It is the authoritative resource for basic information about chemicals, biological organisms, and other substances of interest to EPA and its state and tribal partners.\r\n\r\nThe SRS makes it possible to identify which EPA data systems, environmental statutes, or other sources have information about a substance and which synonym is used by that system or statute. It becomes possible therefore to map substance data across EPA programs regardless of synonym.\r\n\r\nThe system provides a common basis for identification of, and information about:\r\n\r\nChemicals\r\nBiological organisms\r\nPhysical properties\r\nMiscellaneous objects\r\n\r\n(Updated May 2022)", + "listName": "EPASRS2022V2", "chemicalCount": 31352, "createdAt": "2022-05-28T16:02:59Z", "updatedAt": "2022-10-03T09:08:20Z", - "listName": "EPASRS2022V2", "shortDescription": "The Substance Registry Services (SRS) is an EPA resource for information about chemicals, biological organisms, and other substances tracked or regulated by EPA. (Updated May 2022)\r\n" }, { "id": 1693, "type": "federal", - "label": "EPA|EPA Substance Registry Service (January 2023)", "visibility": "PUBLIC", + "label": "EPA|EPA Substance Registry Service (January 2023)", "longDescription": "Substance Registry Services (SRS) is the Environmental Protection Agency's (EPA) central system for information about substances that are tracked or regulated by EPA or other sources. It is the authoritative resource for basic information about chemicals, biological organisms, and other substances of interest to EPA and its state and tribal partners.\r\n\r\nThe SRS makes it possible to identify which EPA data systems, environmental statutes, or other sources have information about a substance and which synonym is used by that system or statute. It becomes possible therefore to map substance data across EPA programs regardless of synonym.\r\n\r\nThe system provides a common basis for identification of, and information about:\r\n\r\nChemicals\r\nBiological organisms\r\nPhysical properties\r\nMiscellaneous objects\r\n\r\n(Updated January 2023)", + "listName": "EPASRS2022V4", "chemicalCount": 93563, "createdAt": "2023-01-29T10:46:52Z", "updatedAt": "2023-04-16T18:58:49Z", - "listName": "EPASRS2022V4", "shortDescription": "The Substance Registry Services (SRS) is an EPA resource for information about chemicals, biological organisms, and other substances tracked or regulated by EPA. (Updated January 2023)" }, { "id": 953, "type": "federal", - "label": "Consolidated List of Lists under EPCRA/CERCLA/CAA §112(r) (June 2019 Version)", "visibility": "PUBLIC", + "label": "Consolidated List of Lists under EPCRA/CERCLA/CAA §112(r) (June 2019 Version)", "longDescription": "The List of Lists is a consolidated list of chemicals subject to:
\r\n\r\nEmergency Planning and Community Right-to-Know Act (EPCRA),
\r\n\r\nComprehensive Environmental Response, Compensation and Liability Act (CERCLA), and
\r\n\r\nSection 112(r) of the Clean Air Act (CAA).
\r\n\r\n", + "listName": "EPCRALISTS", "chemicalCount": 1361, "createdAt": "2020-07-06T22:19:14Z", "updatedAt": "2020-07-06T22:20:59Z", - "listName": "EPCRALISTS", "shortDescription": "The List of Lists is a consolidated list of chemicals subject to: Emergency Planning and Community Right-to-Know Act (EPCRA), Comprehensive Environmental Response, Compensation and Liability Act (CERCLA), and Section 112(r) of the Clean Air Act (CAA). " }, { "id": 572, "type": "federal", - "label": "EPA|ENDOCRINE: Integrated pathway model for the Estrogen Receptor", "visibility": "PUBLIC", + "label": "EPA|ENDOCRINE: Integrated pathway model for the Estrogen Receptor", "longDescription": "Dataset associated with \"Integrated Model of Chemical Perturbations of a Biological Pathway Using 18 In Vitro High-Throughput Screening Assays for the Estrogen Receptor\" by Judson et al.
(LINK)<\/a> A computational network model that integrates 18 in vitro, high-throughput screening assays measuring estrogen receptor (ER) binding, dimerization, chromatin binding, transcriptional activation, and ER-dependent cell proliferation. The network model uses activity patterns across the in vitro assays to predict whether a chemical is an ER agonist or antagonist, or is otherwise influencing the assays through a manner dependent on the physics and chemistry of the technology platform (“assay interference”). The method is applied to a library of 1812 commercial and environmental chemicals, including 45 ER positive and negative reference chemicals. ", + "listName": "ERMODEL", "chemicalCount": 1812, "createdAt": "2018-11-16T14:49:48Z", "updatedAt": "2019-05-18T21:04:11Z", - "listName": "ERMODEL", "shortDescription": "Dataset associated with \"Integrated Model of Chemical Perturbations of a Biological Pathway Using 18 In Vitro High-Throughput Screening Assays for the Estrogen Receptor\" by Judson et al. " }, { "id": 1203, "type": "federal", - "label": "FDA Cumulative Estimated Daily Intake Database", "visibility": "PUBLIC", + "label": "FDA Cumulative Estimated Daily Intake Database", "longDescription": "The database of cumulative estimated daily intakes (CEDIs) was developed by the Office of Food Additive Safety (OFAS) as part of the premarket notification process for food contact substances(FCSs).", + "listName": "FDACEDI", "chemicalCount": 1277, "createdAt": "2021-05-22T21:30:15Z", "updatedAt": "2021-09-29T10:14:07Z", - "listName": "FDACEDI", "shortDescription": "FDA database of cumulative estimated daily intakes" }, { "id": 840, "type": "federal", - "label": "CATEGORY|FOOD: Substances Added to Food (formerly EAFUS)", "visibility": "PUBLIC", + "label": "CATEGORY|FOOD: Substances Added to Food (formerly EAFUS)", "longDescription": "The Substances Added to Food inventory replaces what was previously known as Everything Added to Foods in the United States (EAFUS).\r\n\r\nThe Substances Added to Food inventory includes the following types of ingredients regulated by the U.S. Food and Drug Administration (FDA):\r\n\r\n-Food additives and color additives that are listed in FDA regulations (21 CFR Parts 172, 173 and Parts 73, 74 respectively), and flavoring substances evaluated by FEMA* and JECFA*.\r\n-Generally Recognized as Safe (\"GRAS\") substances that are listed in FDA regulations (21 CFR Parts 182 and 184).\r\n-Substances approved for specific uses in foods prior to September 6, 1958, known as prior-sanctioned substances (21 CFR Part 181).", + "listName": "FDAFOODSUBS", "chemicalCount": 3128, "createdAt": "2020-01-30T08:06:21Z", "updatedAt": "2020-10-28T11:35:14Z", - "listName": "FDAFOODSUBS", "shortDescription": "The Substances Added to Food inventory replaces what was previously known as Everything Added to Foods in the United States (EAFUS)." }, { "id": 151, "type": "federal", - "label": "FDA Center for Drug Evaluation & Research - Maximum (Recommended) Daily Dose ", "visibility": "PUBLIC", + "label": "FDA Center for Drug Evaluation & Research - Maximum (Recommended) Daily Dose ", "longDescription": "FDA Center for Drug Evaluation & Research - Maximum (Recommended) Daily Dose ", + "listName": "FDAMDD", "chemicalCount": 1216, "createdAt": "2008-02-15T00:00:00Z", "updatedAt": "2021-10-04T10:30:19Z", - "listName": "FDAMDD", "shortDescription": "FDA Center for Drug Evaluation & Research - Maximum (Recommended) Daily Dose " }, { "id": 842, "type": "federal", - "label": "FDA Orange Book: Approved Drug Products with Therapeutic Equivalence Evaluations", "visibility": "PUBLIC", + "label": "FDA Orange Book: Approved Drug Products with Therapeutic Equivalence Evaluations", "longDescription": "The publication \"Approved Drug Products with Therapeutic Equivalence Evaluations\" (commonly known as the Orange Book) identifies drug products approved on the basis of safety and effectiveness by the Food and Drug Administration (FDA) under the Federal Food, Drug, and Cosmetic Act (the Act) and related patent and exclusivity information. Chemical names were collected from the ingredients listed in the product.txt file contained within the zipfile available on the \"Orange Book Data Files (compressed)\" link available on this page<\/a>.", + "listName": "FDAORANGE", "chemicalCount": 2039, "createdAt": "2020-02-01T20:52:05Z", "updatedAt": "2023-11-22T08:23:03Z", - "listName": "FDAORANGE", "shortDescription": "The FDA Orange Book: \"Approved Drug Products with Therapeutic Equivalence Evaluations\" " }, { "id": 1206, "type": "federal", - "label": "LIST: FDA UNII List April 12th 2021 Download", "visibility": "PUBLIC", + "label": "LIST: FDA UNII List April 12th 2021 Download", "longDescription": "FDA’s Global Substance Registration System Unique Ingredient Identifiers (UNIIs) file: April 12th 2021 download subset of chemicals with CASRN and/or structure SMILES\r\n\r\nTo this end, FDA’s Health Informatics team, NIH's National Center for Advancing Translational Sciences (NCATS), and the European Medicines Agency (EMA) have collaborated to create a Global Substance Registration System (GSRS) that will enable the efficient and accurate exchange of information on what substances are in regulated products.\r\n\r\nInstead of relying on names--which vary across regulatory domains, countries, and regions—the GSRS knowledge base makes it possible for substances to be defined by standardized, scientific descriptions. It classifies substances as chemical, protein, nucleic acid, polymer, structurally diverse, or mixture as detailed in the ISO 11238 (International Organization for Standardization) and ISO DTS 19844. FDA’s GSRS generates Unique Ingredient Identifiers (UNIIs) used in electronic listings.", + "listName": "FDAUNII0421", "chemicalCount": 61056, "createdAt": "2021-06-01T22:25:07Z", "updatedAt": "2023-12-30T11:52:55Z", - "listName": "FDAUNII0421", "shortDescription": "FDA’s Global Substance Registration System Unique Ingredient Identifiers (UNIIs) file: April 12th 2021 download subset of chemicals with CASRN and/or structure SMILES" }, { "id": 961, "type": "federal", - "label": "GlobalWarming_Title40Part98", "visibility": "PUBLIC", + "label": "GlobalWarming_Title40Part98", "longDescription": "Chemicals listed in Table A-1 to Subpart A of Part 98 - Global Warming Potentials [100-Year Time Horizon] in the electronic code of Federal Regulations (e-CFR)<\/a>.", + "listName": "GLOBALWARMING", "chemicalCount": 165, "createdAt": "2020-07-29T23:39:19Z", "updatedAt": "2024-03-14T20:11:29Z", - "listName": "GLOBALWARMING", "shortDescription": "Chemicals with global warming potentials listed in Table A-1 to Subpart A of Part 98 of the electronic code of Federal Regulations (e-CFR)" }, { "id": 1052, "type": "federal", - "label": "Health-Based Screening Levels for Evaluating Water-Quality Data", "visibility": "PUBLIC", + "label": "Health-Based Screening Levels for Evaluating Water-Quality Data", "longDescription": "Health-Based Screening Levels (HBSLs) are non-enforceable water-quality benchmarks that can be used to (1) supplement U.S. Environmental Protection Agency (USEPA) Maximum Contaminant Levels (MCLs) and Human Health Benchmarks for Pesticides (HHBPs), (2) determine whether contaminants found in surface-water or groundwater sources of drinking water may indicate a potential human-health concern, and (3) help prioritize monitoring efforts. HBSLs were developed by the U.S. Geological Survey (USGS) National Water-Quality Assessment (NAWQA) Project for contaminants without USEPA MCLs or HHBPs.", + "listName": "HBSL", "chemicalCount": 802, "createdAt": "2021-01-25T20:46:41Z", "updatedAt": "2021-02-02T08:37:41Z", - "listName": "HBSL", "shortDescription": "Health-Based Screening Levels (HBSLs) are non-enforceable water-quality benchmarks" }, { "id": 318, "type": "federal", - "label": "EPA; Chemicals mapped to HERO ", "visibility": "PUBLIC", + "label": "EPA; Chemicals mapped to HERO ", "longDescription": "The Health and Environmental Research Online (HERO) database provides an easy way to access and influence the scientific literature behind EPA science assessments.\r\n\r\nThe database includes more than 600,000 scientific references and data from the peer-reviewed literature used by EPA to develop its regulations for the following: Integrated Science Assessments (ISA) that feed into the NAAQS<\/a> review, Provisional Peer Reviewed Toxicity Values (PPRTV<\/a>) that represent human health toxicity values for the Superfund, and the Integrated Risk Information System (IRIS), a database that supports critical agency policymaking for chemical regulation. These assessments supported by HERO characterize the nature and magnitude of health risks to humans and the ecosystem from pollutants and chemicals in the environment.\r\n\r\nHERO is an EVERGREEN database, this means that new studies are continuously added so scientists can keep abreast of current research. Imported references are systematically sorted, classified and made available for search and citation. \r\n\r\nHERO is part of the open government directive<\/a> to conduct business with transparency, participation, and collaboration. Every American has the right to know the data behind EPA's regulatory process. With HERO, the public can participate in the decision-making process.", + "listName": "HEROMAP", "chemicalCount": 495, "createdAt": "2017-02-16T09:35:15Z", "updatedAt": "2018-11-16T21:29:55Z", - "listName": "HEROMAP", "shortDescription": "The Health and Environmental Research Online (HERO) database provides an easy way to access and influence the scientific literature behind EPA science assessments." }, { "id": 761, "type": "federal", - "label": "EPA HTPP Reference Set - Nyffeler et al. 2019", "visibility": "PUBLIC", + "label": "EPA HTPP Reference Set - Nyffeler et al. 2019", "longDescription": "List of chemicals used by EPA researchers to identify reference chemicals for high-throughput phenotypic profiling in U-2 OS cells. List includes 14 reference chemicals from Gustafsdottir et al. 2013 [Gustafsdottir, S. M., et al. \"Multiplex cytological profiling assay to measure diverse cellular states.\" PloS one 8.12 (2013): e80999.], two negative controls and two cytotoxic chemicals. For more information, see: Nyffeler et al., Bioactivity screening of environmental chemicals using high-throughput phenotypic profiling (submitted for publication). See also HTPP2019_SCREEN<\/a>.", + "listName": "HTPP2019_REFSET", "chemicalCount": 18, "createdAt": "2019-11-15T19:10:55Z", "updatedAt": "2022-05-12T05:08:19Z", - "listName": "HTPP2019_REFSET", "shortDescription": "List of chemicals used by EPA researchers to identify reference chemicals for high-throughput phenotypic profiling in U-2 OS cells. " }, { "id": 754, "type": "federal", - "label": "EPA HTPP Screening Set - Nyffeler et al. 2019", "visibility": "PUBLIC", + "label": "EPA HTPP Screening Set - Nyffeler et al. 2019", "longDescription": "List of chemicals screened by EPA researchers in high-throughput phenotypic profiling in U-2 OS cells. For more information, see: Nyffeler et al., Bioactivity screening of environmental chemicals using high-throughput phenotypic profiling<\/a>. See also HTPP2019_REFSET<\/a>.\r\n\r\n\r\n", + "listName": "HTPP2019_SCREEN", "chemicalCount": 462, "createdAt": "2019-11-15T18:59:31Z", "updatedAt": "2022-05-12T05:07:37Z", - "listName": "HTPP2019_SCREEN", "shortDescription": "List of chemicals screened by EPA researchers in high-throughput phenotypic profiling in U-2 OS cells. " }, { "id": 870, "type": "federal", - "label": "EPA: Hazardous Waste P & U Lists", "visibility": "PUBLIC", + "label": "EPA: Hazardous Waste P & U Lists", "longDescription": "A solid waste is a hazardous waste if it is specifically listed as a known hazardous waste or meets the characteristics of a hazardous waste. Listed wastes are wastes from common manufacturing and industrial processes, specific industries and can be generated from discarded commercial products. Characteristic wastes are wastes that exhibit any one or more of the following characteristic properties: ignitability, corrosivity, reactivity or toxicity.\r\n\r\nThe P and U lists<\/a> designate as hazardous waste pure and commercial grade formulations of certain unused chemicals that are being disposed. For a waste to be considered a P- or U-listed waste it must meeting the following three criteria:\r\n\r\nThe waste must contain one of the chemicals listed on the P or U list;\r\nThe chemical in the waste must be unused; and\r\nThe chemical in the waste must be in the form of a commercial chemical product.\r\nEPA defines a commercial chemical product for P and U list purposes as a chemical that is either 100 percent pure, technical (e.g., commercial) grade or the sole active ingredient in a chemical formulation.\r\n\r\nThe P-list identifies acute hazardous wastes from discarded commercial chemical products. The P-list can be found at \r\n40 CFR section 261.33<\/a>. The U-list wastes can be found at 40 CFR section 261.33<\/a>.", + "listName": "HZRDWASTEPU", "chemicalCount": 371, "createdAt": "2020-04-14T12:55:07Z", "updatedAt": "2020-04-14T13:15:33Z", - "listName": "HZRDWASTEPU", "shortDescription": "The P and U Hazardous Waste lists designate as hazardous waste pure and commercial grade formulations of certain unused chemicals that are being disposed." }, { "id": 475, "type": "federal", - "label": "ICCVAM: local lymph node assay (LLNA) 2009", "visibility": "PUBLIC", + "label": "ICCVAM: local lymph node assay (LLNA) 2009", "longDescription": "On behalf of ICCVAM, NICEATM conducted a number of analyses to evaluate the use of the murine local lymph node assay (LLNA) to identify potential skin sensitizers. This list was compiled during those evaluations and includes chemicals with well-characterized activity as skin sensitizers or nonsensitizers. It was originally published in the 2009 ICCVAM Recommended Performance Standards for the Murine Local Lymph Node Assay. The list includes results (positive vs. negative) for each chemical as available for the LLNA, guinea pig maximization or Buehler test, human maximization test, and human patch test allergen tests.", + "listName": "ICCVAMLLNA", "chemicalCount": 22, "createdAt": "2018-05-01T23:00:16Z", "updatedAt": "2018-11-18T18:26:19Z", - "listName": "ICCVAMLLNA", "shortDescription": "On behalf of ICCVAM, NICEATM conducted a number of analyses to evaluate the use of the murine local lymph node assay (LLNA) to identify potential skin sensitizers. " }, { "id": 534, "type": "federal", - "label": "ICCVAM: In vitro ocular toxicity test methods", "visibility": "PUBLIC", + "label": "ICCVAM: In vitro ocular toxicity test methods", "longDescription": "Recommended Substances for Optimization or Validation of In Vitro Ocular Toxicity Test Methods. Published as Appendix H in: Interagency Coordinating Committee on the Validation of Alternative Methods (ICCVAM), NTP Interagency Center for the Evaluation of Alternative Toxicological Methods (NICEATM). ICCVAM test method evaluation report: in vitro ocular toxicity test methods for identifying severe irritants and corrosives. National Institute of Environmental Health Sciences; 2006 Nov. NIH Publication No.: 07-4517.", + "listName": "ICCVAMOCULAR", "chemicalCount": 118, "createdAt": "2018-07-27T23:23:29Z", "updatedAt": "2018-11-18T20:04:36Z", - "listName": "ICCVAMOCULAR", "shortDescription": "Recommended Substances for Optimization or Validation of In Vitro Ocular Toxicity Test Methods" }, { "id": 533, "type": "federal", - "label": "ICCVAM: In Vitro cytotoxicity test methods", "visibility": "PUBLIC", + "label": "ICCVAM: In Vitro cytotoxicity test methods", "longDescription": "Recommended Reference Substances for Evaluation of In Vitro Basal Cytotoxicity Methods for Predicting the Starting Dose for Rodent Acute Oral Toxicity Tests. Published as Table 3-1 in: \r\nInteragency Coordinating Committee on the Validation of Alternative Methods (ICCVAM), NTP Interagency Center for the Evaluation of Alternative Toxicological Methods (NICEATM). ICCVAM test method evaluation report: in vitro cytotoxicity test methods for estimating starting doses for acute oral systemic toxicity tests. National Institute of Environmental Health Sciences; 2006 Nov. NIH Publication No.: 07-4519.", + "listName": "ICCVAMORALTOX", "chemicalCount": 35, "createdAt": "2018-07-27T23:15:40Z", "updatedAt": "2018-11-16T21:35:41Z", - "listName": "ICCVAMORALTOX", "shortDescription": "ICCVAM test method evaluation report: in vitro cytotoxicity test methods for estimating starting doses for acute oral systemic toxicity tests" }, { "id": 474, "type": "federal", - "label": "ICCVAM: Skin Corrosion 2004 collection from NIEHS", "visibility": "PUBLIC", + "label": "ICCVAM: Skin Corrosion 2004 collection from NIEHS", "longDescription": "This is a list of recommended chemicals for evaluation of in vitro skin corrosion test methods originally published in a 2004 ICCVAM performance standards document describing essential test method components for three types of in vitro skin corrosion test methods: membrane barrier test systems (\"MB\"), human skin model systems (\"HSM\", or transcutaneal electrical resistance test systems (\"TER\"). The original file can be downloaded from the NIEHS website at ICCVAM Skin Corrosion 2004<\/a>

", + "listName": "ICCVAMSKIN", "chemicalCount": 58, "createdAt": "2018-04-30T22:52:13Z", "updatedAt": "2018-11-16T21:34:24Z", - "listName": "ICCVAMSKIN", "shortDescription": "This is a list of recommended chemicals for evaluation of in vitro skin corrosion test methods originally published in a 2004 ICCVAM performance standards document. " }, { "id": 1039, "type": "federal", - "label": "PESTICIDES: InertFinder", "visibility": "PUBLIC", + "label": "PESTICIDES: InertFinder", "longDescription": "InertFinder is a database that allows pesticide formulators and other interested parties to easily identify chemicals approved for use as inert ingredients in pesticide products. It will allow registrants developing new products or new product formulations to readily determine which inert ingredients may be acceptable for use and make the same information more readily available to the public. This subset list is the
Non-Food Use chemicals available on InertFinder<\/a>.", + "listName": "INERTNONFOOD", "chemicalCount": 5484, "createdAt": "2020-11-16T20:59:19Z", "updatedAt": "2023-12-29T13:35:01Z", - "listName": "INERTNONFOOD", "shortDescription": "List of chemicals listed in InertFinder as Non-Food Use Chemicals\r\n" }, { "id": 303, "type": "federal", - "label": "EPA: IRIS Chemicals", "visibility": "PUBLIC", + "label": "EPA: IRIS Chemicals", "longDescription": "The IRIS Program is located within EPA’s Center for Public Health and Environmental Assessment (CPHEA) in the Office of Research and Development (ORD). EPA’s IRIS Program identifies and characterizes the health hazards of chemicals found in the environment. Each IRIS assessment can cover a chemical, a group of related chemicals, or a complex mixture. IRIS assessments provide the following toxicity values for health effects resulting from chronic exposure to chemical: Reference Concentration (RfC), Reference Dose (RfD), Cancer descriptors, Oral slope factors (OSF) and Inhalation unit risk (IUR).", + "listName": "IRIS", "chemicalCount": 603, "createdAt": "2017-01-12T12:46:44Z", "updatedAt": "2023-02-21T16:35:04Z", - "listName": "IRIS", "shortDescription": "EPA’s IRIS Program identifies and characterizes the health hazards of chemicals found in the environment. Each IRIS assessment can cover a chemical, a group of related chemicals, or a complex mixture." }, { "id": 1708, "type": "federal", - "label": "EPA: IRIS current non-cancer assessments (as of February 21st 2023)", "visibility": "PUBLIC", + "label": "EPA: IRIS current non-cancer assessments (as of February 21st 2023)", "longDescription": "The IRIS Program is located within EPA’s Center for Public Health and Environmental Assessment (CPHEA) in the Office of Research and Development (ORD). EPA’s IRIS Program identifies and characterizes the health hazards of chemicals found in the environment. Each IRIS assessment can cover a chemical, a group of related chemicals, or a complex mixture. IRIS assessments provide toxicity values and slope factors for health effects resulting from chronic exposure to chemicals. This list contains chemicals with current (non-archived) non-cancer assessments containing reference dose (RfD) and reference concentrations (RfC).", + "listName": "IRISNONCANCER", "chemicalCount": 396, "createdAt": "2023-02-21T09:16:06Z", "updatedAt": "2023-02-21T16:29:26Z", - "listName": "IRISNONCANCER", "shortDescription": "IRIS list containing chemicals with current (non-archived) non-cancer assessments containing reference dose (RfD) and reference concentrations (RfC)." }, { "id": 454, "type": "federal", - "label": "EPA: National-Scale Air Toxics Assessment (NATA)", "visibility": "PUBLIC", + "label": "EPA: National-Scale Air Toxics Assessment (NATA)", "longDescription": "The National-Scale Air Toxics Assessment (NATA) is EPA's ongoing comprehensive evaluation of air toxics in the United States. EPA developed the NATA as a state-of-the-science screening tool for State/Local/Tribal Agencies to prioritize pollutants, emission sources and locations of interest for further study in order to gain a better understanding of risks. NATA assessments do not incorporate refined information about emission sources but, rather, use general information about sources to develop estimates of risks which are more likely to overestimate impacts than underestimate them.\r\n\r\nNATA provides estimates of the risk of cancer and other serious health effects from breathing (inhaling) air toxics in order to inform both national and more localized efforts to identify and prioritize air toxics, emission source types and locations which are of greatest potential concern in terms of contributing to population risk. This in turn helps air pollution experts focus limited analytical resources on areas and or populations where the potential for health risks are highest. Assessments include estimates of cancer and non-cancer health effects based on chronic exposure from outdoor sources, including assessments of non-cancer health effects for Diesel Particulate Matter (PM). Assessments provide a snapshot of the outdoor air quality and the risks to human health that would result if air toxic emissions levels remained unchanged.", + "listName": "NATADB", "chemicalCount": 163, "createdAt": "2018-02-21T12:04:16Z", "updatedAt": "2018-11-16T21:42:01Z", - "listName": "NATADB", "shortDescription": "The National-Scale Air Toxics Assessment (NATA) is EPA's ongoing comprehensive evaluation of air toxics in the United States." }, { "id": 716, "type": "federal", - "label": "LIST: National Health and Nutrition Examination Survey (NHANES) data", "visibility": "PUBLIC", + "label": "LIST: National Health and Nutrition Examination Survey (NHANES) data", "longDescription": "The U.S. Centers for Disease Control and Prevention (CDC) conducts the National Health and Nutrition Examination Survey (NHANES), which has determined representative blood, serum, or urine values for the U.S. population of the chemicals on this list at least once in past twenty years.", + "listName": "NHANES2019", "chemicalCount": 412, "createdAt": "2019-09-15T19:49:15Z", "updatedAt": "2019-09-15T19:50:18Z", - "listName": "NHANES2019", "shortDescription": "U.S. Centers for Disease Control and Prevention (CDC) conducts the National Health and Nutrition Examination Survey (NHANES) data" }, { "id": 399, "type": "federal", - "label": "NIOSH: International Chemical Safety Cards", "visibility": "PUBLIC", + "label": "NIOSH: International Chemical Safety Cards", "longDescription": "The International Chemical Safety Cards (ICSC) summarize essential health and safety information on chemicals for their use at the \"shop floor\" level by workers and employers in factories, agriculture, construction and other work places. ICSC summarize health and safety information collected, verified, and peer reviewed by internationally recognized experts, taking into account advice from manufacturers and Poison Control Centres.\r\n\r\n", + "listName": "NIOSHICSC", "chemicalCount": 1609, "createdAt": "2017-07-21T15:47:01Z", "updatedAt": "2018-11-16T21:45:03Z", - "listName": "NIOSHICSC", "shortDescription": "The International Chemical Safety Cards (ICSC) summarize essential health and safety information on chemicals." }, { "id": 404, "type": "federal", - "label": "NIOSH: Immediately Dangerous To Life or Health Values", "visibility": "PUBLIC", + "label": "NIOSH: Immediately Dangerous To Life or Health Values", "longDescription": "The immediately dangerous to life or health (IDLH) values used by the National Institute for Occupational Safety and Health (NIOSH) as respirator selection criteria were first developed in the mid-1970's. The original IDLH values were developed as part of a joint effort by OSHA and NIOSH called the Standard Completion Program (SCP). The goal of the SCP was to develop substance-specific draft standards with supporting documentation that contained technical information and recommendations needed for the promulgation of new occupational health regulations, such as the IDLH values. The Documentation for Immediately Dangerous to Life or Health (IDLH) Concentrations is a compilation of the rationale and sources of information used by NIOSH during the original determination of 387 SCP IDLH values.", + "listName": "NIOSHIDLH", "chemicalCount": 372, "createdAt": "2017-07-23T06:38:14Z", "updatedAt": "2018-11-16T21:45:44Z", - "listName": "NIOSHIDLH", "shortDescription": "The immediately dangerous to life or health (IDLH) values are used by the National Institute for Occupational Safety and Health (NIOSH) as respirator selection criteria." }, { "id": 401, "type": "federal", - "label": "NIOSH: Pocket Guide to Chemical Hazards", "visibility": "PUBLIC", + "label": "NIOSH: Pocket Guide to Chemical Hazards", "longDescription": "The NIOSH Pocket Guide to Chemical Hazards (NPG) informs workers, employers, and occupational health professionals about workplace chemicals and their hazards. The NPG gives general industrial hygiene information for hundreds of chemicals/classes. The NPG clearly presents key data for chemicals or substance groupings (such as cyanides, fluorides, manganese compounds) that are found in workplaces. The guide offers key facts, but does not give all relevant data. The NPG helps users recognize and control workplace chemical hazards.", + "listName": "NIOSHNPG", "chemicalCount": 615, "createdAt": "2017-07-22T14:47:16Z", "updatedAt": "2018-11-16T21:45:25Z", - "listName": "NIOSHNPG", "shortDescription": "The NIOSH Pocket Guide to Chemical Hazards (NPG) informs workers, employers, and occupational health professionals about workplace chemicals and their hazards." }, { "id": 379, "type": "federal", - "label": "NIOSH: Skin Notation Profiles", "visibility": "PUBLIC", + "label": "NIOSH: Skin Notation Profiles", "longDescription": "The NIOSH skin notations relies on multiple skin notations to provide users a warning on the direct, systemic, and sensitizing effects of exposures of the skin to chemicals. Historically, skin notations have been published in the NIOSH Pocket Guide to Chemical Hazards. This practice will continue with the NIOSH skin notation assignments for each evaluated chemical being integrated as they become available. A support document called a Skin Notation Profile will be developed for each evaluated chemical. The Skin Notation Profile for a chemical will provide information supplemental to the skin notation, including a summary of all relevant data used to aid in determining the hazards associated with skin exposures .", + "listName": "NIOSHSKIN", "chemicalCount": 57, "createdAt": "2017-07-13T09:54:02Z", "updatedAt": "2018-11-18T19:17:01Z", - "listName": "NIOSHSKIN", "shortDescription": "NIOSH skin notations relies on multiple skin notations to provide warnings re. direct, systemic, and sensitizing effects of exposures to chemicals. " }, { "id": 487, "type": "federal", - "label": "US National Response Team Chemical Set", "visibility": "PUBLIC", + "label": "US National Response Team Chemical Set", "longDescription": "The U.S. National Response Team (NRT) is an organization of 15 Federal departments and agencies responsible for coordinating emergency preparedness and response to oil and hazardous substance pollution incidents. The Environment Protection Agency (EPA) and the U.S. Coast Guard (USCG) serve as Chair and Vice Chair respectively. The National Oil and Hazardous Substances Pollution Contingency Plan (NCP) and the Code of Federal Regulations (40 CFR part 300) outline the role of the NRT and Regional Response Teams (RRTs). The response teams are also cited in various federal statutes, including Superfund Amendments and Reauthorization Act (SARA) – Title III and the Hazardous Materials Transportation Act [HMTA]. The chemicals list here is sourced from the Chemical Hazards Page<\/a>\r\n\r\n", + "listName": "NRTCHEMICALS", "chemicalCount": 18, "createdAt": "2018-05-11T16:06:32Z", "updatedAt": "2018-08-15T09:24:16Z", - "listName": "NRTCHEMICALS", "shortDescription": "The U.S. National Response Team (NRT) is an organization of 15 Federal departments and agencies responsible for coordinating emergency preparedness and response to oil and hazardous substance pollution incidents." }, { "id": 481, "type": "federal", - "label": "WATER: National Recommended Water Quality Criteria - Human Health Criteria Table", "visibility": "PUBLIC", + "label": "WATER: National Recommended Water Quality Criteria - Human Health Criteria Table", "longDescription": "Human health ambient water quality criteria represent specific levels of chemicals or conditions in a water body that are not expected to cause adverse effects to human health. EPA provides recommendations for “water + organism” and “organism only” human health criteria for states and authorized tribes to consider when adopting criteria into their water quality standards. These human health criteria are developed by EPA under Section 304(a) of the Clean Water Act. Details are at https://www.epa.gov/wqc/national-recommended-water-quality-criteria-human-health-criteria-table<\/a> \r\n\r\n", + "listName": "NWATRQHHC", "chemicalCount": 116, "createdAt": "2018-05-04T21:34:21Z", "updatedAt": "2018-11-16T21:51:14Z", - "listName": "NWATRQHHC", "shortDescription": "Human health ambient water quality criteria represent specific levels of chemicals or conditions in a water body that are not expected to cause adverse effects to human health. " }, { "id": 849, "type": "federal", - "label": "EPA Regional Screening Levels Data Chemicals List", "visibility": "PUBLIC", + "label": "EPA Regional Screening Levels Data Chemicals List", "longDescription": "The Regional Screening Levels (RSLs) Generic Tables contain chemical-specific parameters necessary for the calculation of Regional screening Levels (RSLs) for Superfund sites. The RSL tables provide comparison values for residential and commercial/industrial exposures to soil, air, and water. The RSLs are primarily used to determine contaminants of potential concern (COPCs). A more expansive description of the Regional Screening Levels (RSLs) Generic Tables is given here<\/a>.", + "listName": "ORNLRSL", "chemicalCount": 1706, "createdAt": "2020-02-17T21:01:10Z", "updatedAt": "2020-02-19T11:53:36Z", - "listName": "ORNLRSL", "shortDescription": "Chemicals associated with the Regional Screening Levels (RSLs) Generic Tables" }, { "id": 1446, "type": "federal", - "label": "Ozone Depleting Substances Class 1", "visibility": "PUBLIC", + "label": "Ozone Depleting Substances Class 1", "longDescription": "List of Ozone Depleting Substances contained in Class 1. The chemicals were sourced from the \r\n Ozone Depleting Substances EPA website<\/a>.", + "listName": "OZONECL1", "chemicalCount": 293, "createdAt": "2022-04-22T18:11:57Z", "updatedAt": "2022-05-28T07:45:55Z", - "listName": "OZONECL1", "shortDescription": "List of Ozone Depleting Substances contained in Class 1" }, { "id": 1447, "type": "federal", - "label": "Ozone Depleting Substances Class 2", "visibility": "PUBLIC", + "label": "Ozone Depleting Substances Class 2", "longDescription": "List of Ozone Depleting Substances contained in Class 2. The chemicals were sourced from the \r\n Ozone Depleting Substances EPA website<\/a>.", + "listName": "OZONECL2", "chemicalCount": 34, "createdAt": "2022-04-22T18:18:27Z", "updatedAt": "2022-04-22T18:21:21Z", - "listName": "OZONECL2", "shortDescription": "List of Ozone Depleting Substances contained in Class 2" }, { "id": 922, "type": "federal", - "label": "EPA: Provisional Advisory Levels (Inhalation)", "visibility": "PUBLIC", + "label": "EPA: Provisional Advisory Levels (Inhalation)", "longDescription": "To support emergency response decisions and ensure the safety of responders and the public after an unanticipated chemical release, EPA researchers developed Provisional Advisory Levels (PALs). PALs are tiered risk values developed for oral and inhalation exposures to high priority chemicals, including toxic industrial chemicals and chemical warfare agents. They are not “safe” levels of exposure – PALs represent exposure scenarios wherein effects of varying severity should be expected to occur; similar to Acute Exposure Guideline Levels (AEGLs).\r\n \r\nPALs are derived using peer reviewed risk assessment methods; they specifically address short term oral and inhalation exposures associated with emergency situations. Three tiers (PAL1, PAL2, and PAL3), distinguished by the severity of expected health outcomes, are developed for 24-hour, 30-day, and 90-day durations of exposure. These risk values can be requested from EPA ORD’s Center for Environmental Solutions and Emergency Response. The PALs Technical Brief<\/a> and Standing Operating Procedure<\/a> are available for download. \r\n\r\nThis set of chemicals represents the list for which INHALATION PALs values are available.\r\n\r\n\r\n", + "listName": "PALSINHALATION", "chemicalCount": 71, "createdAt": "2020-05-15T16:52:19Z", "updatedAt": "2020-05-15T16:53:00Z", - "listName": "PALSINHALATION", "shortDescription": "INHALATION Provisional Advisory Levels (PALs) for high priority chemicals including toxic industrial chemicals and chemical warfare agents." }, { "id": 921, "type": "federal", - "label": "EPA: Provisional Advisory Levels (Oral)", "visibility": "PUBLIC", + "label": "EPA: Provisional Advisory Levels (Oral)", "longDescription": "To support emergency response decisions and ensure the safety of responders and the public after an unanticipated chemical release, EPA researchers developed Provisional Advisory Levels (PALs). PALs are tiered risk values developed for oral and inhalation exposures to high priority chemicals, including toxic industrial chemicals and chemical warfare agents. They are not “safe” levels of exposure – PALs represent exposure scenarios wherein effects of varying severity should be expected to occur; similar to Acute Exposure Guideline Levels (AEGLs).\r\n \r\nPALs are derived using peer reviewed risk assessment methods; they specifically address short term oral and inhalation exposures associated with emergency situations. Three tiers (PAL1, PAL2, and PAL3), distinguished by the severity of expected health outcomes, are developed for 24-hour, 30-day, and 90-day durations of exposure. These risk values can be requested from EPA ORD’s Center for Environmental Solutions and Emergency Response. The PALs Technical Brief<\/a> and Standing Operating Procedure<\/a> are available for download. \r\n\r\nThis set of chemicals represents the list for which ORAL PALs values are available.\r\n\r\n\r\n", + "listName": "PALSORAL", "chemicalCount": 46, "createdAt": "2020-05-15T15:13:39Z", "updatedAt": "2020-05-15T15:14:19Z", - "listName": "PALSORAL", "shortDescription": "ORAL Provisional Advisory Levels (PALs) for high priority chemicals including toxic industrial chemicals and chemical warfare agents." }, { "id": 1705, "type": "federal", - "label": "EPA|PESTICIDES: 2021 Human Health Benchmarks for Pesticides", "visibility": "PUBLIC", + "label": "EPA|PESTICIDES: 2021 Human Health Benchmarks for Pesticides", "longDescription": "Advanced testing methods now allow for the detection of pesticides in water at very low levels. Small amounts of pesticides detected in drinking water or source water for drinking water do not necessarily indicate a health risk to consumers. EPA has developed human health benchmarks for 430 pesticides to provide information to enable Tribes, states, and water systems to evaluate: (1) whether the detection level of a pesticide in drinking water or sources of drinking water may indicate a potential health risk; and (2) to help to prioritize water monitoring efforts.\r\n\r\nThe HHBPs Table includes noncancer benchmarks for exposure to pesticides that may be found in surface or ground water sources of drinking water. Noncancer benchmarks for acute (one-day) and chronic (lifetime) drinking water exposures to each pesticide were derived for the most sensitive life stage, based on the available information. The table also includes cancer benchmarks for 48 of the pesticides that have toxicity information that indicates the potential to lead to cancer. The HHBP table includes pesticides for which EPA’s Office of Pesticide Programs has available toxicity data but for which EPA has not yet developed either enforceable National Primary Drinking Water Regulations (i.e., MCLs) or non-enforceable HAs. The list of 2021 Human Health Benchmarks is available here<\/a>.\r\n", + "listName": "PESTHHBS", "chemicalCount": 448, "createdAt": "2023-02-17T18:45:51Z", "updatedAt": "2023-02-17T18:52:40Z", - "listName": "PESTHHBS", "shortDescription": "EPA has developed human health benchmarks for 430 pesticides." }, { "id": 2084, "type": "federal", - "label": "PFAS|Toxic Substances Control Act Reporting and Recordkeeping Requirements for Perfluoroalkyl and Polyfluoroalkyl Substances: Section 8(a)(7) Rule List of Chemicals", "visibility": "PUBLIC", + "label": "PFAS|Toxic Substances Control Act Reporting and Recordkeeping Requirements for Perfluoroalkyl and Polyfluoroalkyl Substances: Section 8(a)(7) Rule List of Chemicals", "longDescription": "EPA promulgated a reporting and recordkeeping rule for perfluoroalkyl and polyfluoroalkyl substances (PFAS) under the Toxic Substances Control Act (TSCA) section 8(a)(7)<\/a>. Any entity who has manufactured a PFAS that is a TSCA chemical substance for commercial purposes in any year since January 1, 2011, is required to submit certain information to EPA. For the purpose of this TSCA section 8(a)(7) rule, EPA defines PFAS to include at least one of these three structures: 1) R-(CF2<\/sub>)-CF(R’)R”, where both the CF2<\/sub> and CF moieties are saturated carbons; 2) R-CF2<\/sub>OCF2<\/sub>-R’, where R and R’ can either be F, O, or saturated carbons; 3) CF3<\/sub>C(CF3<\/sub>)R’R’’, where R’ and R” can either be F or saturated carbons.<\/br> <\/br>\r\nThe list below is a subset of reportable substances and includes chemicals on the EPA Comptox Chemicals Dashboard that meet this rule’s structural definition of PFAS, including chemical substances from the publicly available TSCA Inventory and Low-Volume Exemption submissions that would meet the structural definition (~10% of the total number of compounds). While this list includes substances beyond the known TSCA universe to provide as comprehensive a list as possible to potential reporting entities, it is not exhaustive and does not contain polymers or UVCBs (Unknown or Variable compositions, Complex reaction products, and Biological materials)<\/a> which may be covered by the rule. Substances that meet the rule’s structural definition but are not found on this list may be found on the TSCA 8(a)(7) PFAS Chemicals list in the System of Registries<\/a>. <\/br> <\/br>\r\nNote that the list could change as the chemicals included on the CompTox Chemicals Dashboard are expanded or otherwise as modified. Such changes will be noted and curated in a transparent manner. Last Updated (April 24th 2024). For the versioned lists please use the hyperlinked lists below.

\r\n\r\n
PFAS8a7v3 - April 24th 2024<\/a> This List

\r\n
PFAS8a7v2 - March 29th 2024<\/a>

\r\n
PFAS8a7V1 - December 6th 2023<\/a>

\r\n", + "listName": "PFAS8a7", "chemicalCount": 13054, "createdAt": "2024-04-24T10:05:04Z", "updatedAt": "2024-04-24T10:06:27Z", - "listName": "PFAS8a7", "shortDescription": "List of PFAS chemicals that meets the TSCA section 8(a)(7) rule structural definition of PFAS" }, { "id": 1890, "type": "federal", - "label": "PFAS|Toxic Substances Control Act Reporting and Recordkeeping Requirements for Perfluoroalkyl and Polyfluoroalkyl Substances: Section 8(a)(7) Rule List of Chemicals (Version 1)", "visibility": "PUBLIC", + "label": "PFAS|Toxic Substances Control Act Reporting and Recordkeeping Requirements for Perfluoroalkyl and Polyfluoroalkyl Substances: Section 8(a)(7) Rule List of Chemicals (Version 1)", "longDescription": "EPA promulgated a reporting and recordkeeping rule for perfluoroalkyl and polyfluoroalkyl substances (PFAS) under the
Toxic Substances Control Act (TSCA) section 8(a)(7)<\/a>. Any entity who has manufactured a PFAS that is a TSCA chemical substance for commercial purposes in any year since January 1, 2011, is required to submit certain information to EPA. For the purpose of this TSCA section 8(a)(7) rule, EPA defines PFAS to include at least one of these three structures: 1) R-(CF2<\/sub>)-CF(R’)R”, where both the CF2<\/sub> and CF moieties are saturated carbons; 2) R-CF2<\/sub>OCF2<\/sub>-R’, where R and R’ can either be F, O, or saturated carbons; 3) CF3<\/sub>C(CF3<\/sub>)R’R’’, where R’ and R” can either be F or saturated carbons.<\/br> <\/br>\r\nThe list below is a subset of reportable substances and includes chemicals on the EPA Comptox Chemicals Dashboard that meet this rule’s structural definition of PFAS, including chemical substances from the publicly available TSCA Inventory and Low-Volume Exemption submissions that would meet the structural definition (~10% of the total number of compounds). While this list includes substances beyond the known TSCA universe to provide as comprehensive a list as possible to potential reporting entities, it is not exhaustive and does not contain polymers or UVCBs (Unknown or Variable compositions, Complex reaction products, and Biological materials)<\/a> which may be covered by the rule. Substances that meet the rule’s structural definition but are not found on this list may be found on the TSCA 8(a)(7) PFAS Chemicals list in the System of Registries<\/a>. <\/br> <\/br>\r\nNote that the list could change as the chemicals included on the CompTox Chemicals Dashboard are expanded or otherwise as modified. Such changes will be noted and curated in a transparent manner. <\/br> <\/br>\r\n(Version 1: created December 6th 2023)\r\n", + "listName": "PFAS8a7v1", "chemicalCount": 11409, "createdAt": "2023-11-06T20:45:20Z", "updatedAt": "2024-03-30T20:26:05Z", - "listName": "PFAS8a7v1", "shortDescription": "List of PFAS chemicals that meets the TSCA section 8(a)(7) rule structural definition of PFAS (Version 1: created December 6th 2023)" }, { "id": 2055, "type": "federal", - "label": "PFAS|Toxic Substances Control Act Reporting and Recordkeeping Requirements for Perfluoroalkyl and Polyfluoroalkyl Substances: Section 8(a)(7) Rule List of Chemicals (Version 2)", "visibility": "PUBLIC", + "label": "PFAS|Toxic Substances Control Act Reporting and Recordkeeping Requirements for Perfluoroalkyl and Polyfluoroalkyl Substances: Section 8(a)(7) Rule List of Chemicals (Version 2)", "longDescription": "EPA promulgated a reporting and recordkeeping rule for perfluoroalkyl and polyfluoroalkyl substances (PFAS) under the Toxic Substances Control Act (TSCA) section 8(a)(7)<\/a>. Any entity who has manufactured a PFAS that is a TSCA chemical substance for commercial purposes in any year since January 1, 2011, is required to submit certain information to EPA. For the purpose of this TSCA section 8(a)(7) rule, EPA defines PFAS to include at least one of these three structures: 1) R-(CF2<\/sub>)-CF(R’)R”, where both the CF2<\/sub> and CF moieties are saturated carbons; 2) R-CF2<\/sub>OCF2<\/sub>-R’, where R and R’ can either be F, O, or saturated carbons; 3) CF3<\/sub>C(CF3<\/sub>)R’R’’, where R’ and R” can either be F or saturated carbons.<\/br> <\/br>\r\nThe list below is a subset of reportable substances and includes chemicals on the EPA Comptox Chemicals Dashboard that meet this rule’s structural definition of PFAS, including chemical substances from the publicly available TSCA Inventory and Low-Volume Exemption submissions that would meet the structural definition (~10% of the total number of compounds). While this list includes substances beyond the known TSCA universe to provide as comprehensive a list as possible to potential reporting entities, it is not exhaustive and does not contain polymers or UVCBs (Unknown or Variable compositions, Complex reaction products, and Biological materials)<\/a> which may be covered by the rule. Substances that meet the rule’s structural definition but are not found on this list may be found on the TSCA 8(a)(7) PFAS Chemicals list in the System of Registries<\/a>. <\/br> <\/br>\r\nNote that the list could change as the chemicals included on the CompTox Chemicals Dashboard are expanded or otherwise as modified. Such changes will be noted and curated in a transparent manner. <\/br> <\/br>\r\n(last updated March 29th 2024)", + "listName": "PFAS8a7v2", "chemicalCount": 12990, "createdAt": "2024-03-30T20:51:20Z", "updatedAt": "2024-03-30T20:53:06Z", - "listName": "PFAS8a7v2", "shortDescription": "List of PFAS chemicals that meets the TSCA section 8(a)(7) rule structural definition of PFAS (last updated March 29th 2024)" }, { "id": 2082, "type": "federal", - "label": "PFAS|Toxic Substances Control Act Reporting and Recordkeeping Requirements for Perfluoroalkyl and Polyfluoroalkyl Substances: Section 8(a)(7) Rule List of Chemicals (Version 3)", "visibility": "PUBLIC", + "label": "PFAS|Toxic Substances Control Act Reporting and Recordkeeping Requirements for Perfluoroalkyl and Polyfluoroalkyl Substances: Section 8(a)(7) Rule List of Chemicals (Version 3)", "longDescription": "EPA promulgated a reporting and recordkeeping rule for perfluoroalkyl and polyfluoroalkyl substances (PFAS) under the Toxic Substances Control Act (TSCA) section 8(a)(7)<\/a>. Any entity who has manufactured a PFAS that is a TSCA chemical substance for commercial purposes in any year since January 1, 2011, is required to submit certain information to EPA. For the purpose of this TSCA section 8(a)(7) rule, EPA defines PFAS to include at least one of these three structures: 1) R-(CF2<\/sub>)-CF(R’)R”, where both the CF2<\/sub> and CF moieties are saturated carbons; 2) R-CF2<\/sub>OCF2<\/sub>-R’, where R and R’ can either be F, O, or saturated carbons; 3) CF3<\/sub>C(CF3<\/sub>)R’R’’, where R’ and R” can either be F or saturated carbons.<\/br> <\/br>\r\nThe list below is a subset of reportable substances and includes chemicals on the EPA Comptox Chemicals Dashboard that meet this rule’s structural definition of PFAS, including chemical substances from the publicly available TSCA Inventory and Low-Volume Exemption submissions that would meet the structural definition (~10% of the total number of compounds). While this list includes substances beyond the known TSCA universe to provide as comprehensive a list as possible to potential reporting entities, it is not exhaustive and does not contain polymers or UVCBs (Unknown or Variable compositions, Complex reaction products, and Biological materials)<\/a> which may be covered by the rule. Substances that meet the rule’s structural definition but are not found on this list may be found on the TSCA 8(a)(7) PFAS Chemicals list in the System of Registries<\/a>. <\/br> <\/br>\r\nNote that the list could change as the chemicals included on the CompTox Chemicals Dashboard are expanded or otherwise as modified. Such changes will be noted and curated in a transparent manner. <\/br> <\/br>\r\n(last updated April 24th 2024)", + "listName": "PFAS8a7v3", "chemicalCount": 13054, "createdAt": "2024-04-24T09:21:53Z", "updatedAt": "2024-04-25T16:31:14Z", - "listName": "PFAS8a7v3", "shortDescription": "List of PFAS chemicals that meets the TSCA section 8(a)(7) rule structural definition of PFAS (last updated April 24th 2024)" }, { "id": 517, "type": "federal", - "label": "PFAS|Markush Structures", "visibility": "PUBLIC", + "label": "PFAS|Markush Structures", "longDescription": "List of all registered DSSTox Per- and Polyfluoroalkyl Substances (PFAS) created using ChemAxon’s Markush structure-based query representations. Markush structures can be broad and represent typical PFAS categories or they can represent mixtures or polymers containing ambiguous or generalized structural elements (s.a., unknown location of substituent, or variable chain length). Each PFAS Markush registered with a unique DTXSID is considered a generalized substance or “parent ID” that can be associated with one or many “child IDs” (i.e., many parent-child mappings) within the full DSSTox database. These mixture or category DTXSIDs can be used to search and retrieve all currently registered DSSTox substances within the group, and offer an objective, transparent and reproducible structure-based means of defining a generalized set of chemicals. This list encompasses the content of another registered list (EPAPFASCAT), the latter containing only the subset representing category mappings. ", + "listName": "PFASMARKUSH", "chemicalCount": 326, "createdAt": "2018-06-29T17:55:55Z", "updatedAt": "2021-12-07T07:29:17Z", - "listName": "PFASMARKUSH", "shortDescription": "List of all registered DSSTox PFAS substances represented by Markush structures, created using ChemAxon’s Markush query representations; includes PFAS category, mixture and polymer types." }, { "id": 1252, "type": "federal", - "label": "PFAS|EPA PFAS Substances in Pesticide Packaging", "visibility": "PUBLIC", + "label": "PFAS|EPA PFAS Substances in Pesticide Packaging", "longDescription": "On March 5, 2021, EPA released testing data showing PFAS contamination from the fluorinated HDPE containers used to store and transport a mosquito control pesticide product. A description of the project is given here.<\/a>", + "listName": "PFASPACKAGING", "chemicalCount": 8, "createdAt": "2021-08-04T22:37:08Z", "updatedAt": "2021-08-04T22:37:33Z", - "listName": "PFASPACKAGING", "shortDescription": "PFAS chemicals detected in fluorinated HDPE containers" }, { "id": 787, "type": "federal", - "label": "PFAS|EPA: PFAS structures in DSSTox (update November 2019)", "visibility": "PUBLIC", + "label": "PFAS|EPA: PFAS structures in DSSTox (update November 2019)", "longDescription": "List consists of all DTXSID records with a structure assigned, and where the structure contains the substructure RCF2CFR'R\" (R cannot be H). The substructure filter is designed to be simple, reproducible and transparent, yet general enough to encompass the largest set of structures having sufficient levels of fluorination to potentially impart PFAS-type properties (update November 2019).", + "listName": "PFASSTRUCTV2", "chemicalCount": 6648, "createdAt": "2019-11-16T16:26:14Z", "updatedAt": "2022-08-19T00:19:48Z", - "listName": "PFASSTRUCTV2", "shortDescription": "List consists of all records with a structure assigned, and using a set of substructural filters. " }, { "id": 1262, "type": "federal", - "label": "PFAS|EPA: PFAS structures in DSSTox (update Aug 2021)", "visibility": "PUBLIC", + "label": "PFAS|EPA: PFAS structures in DSSTox (update Aug 2021)", "longDescription": "List consists of all DTXSID records with a structure assigned and using a set of substructural filters based on community input. The substructural filters (visible here<\/a>) are designed to be simple, reproducible and transparent, yet general enough to encompass the largest set of structures having sufficient levels of fluorination to potentially impart PFAS-type properties. Relative to the previous list (PFASSTRUCTV3<\/a>) the trifluoroacetate substructure has been removed from the substructure filters.", + "listName": "PFASSTRUCTV4", "chemicalCount": 10776, "createdAt": "2021-08-10T18:34:39Z", "updatedAt": "2022-08-19T00:21:03Z", - "listName": "PFASSTRUCTV4", "shortDescription": "List consists of all records with a structure assigned and using a set of substructural filters. " }, { "id": 1603, "type": "federal", - "label": "PFAS|EPA: PFAS structures in DSSTox (update August 2022)", "visibility": "PUBLIC", + "label": "PFAS|EPA: PFAS structures in DSSTox (update August 2022)", "longDescription": "List consists of all records with a structure assigned, and using a combination of a set of substructural filters and percent of fluorine in the molecular formula ignoring all hydrogen atoms. For example, for a compound with the molecular formula C6HF9O6, the percent of fluorine excluding hydrogen contained in the formula would be 9F/(6C + 9F + 6O) = 42%. A threshold of 30% fluorine without hydrogen allows for inclusion of some of the complex highly fluorinated structures. The combination of the set of substructural filters (visible here, where the heteroatom Q can be B, O, N, P, S, or Si<\/a>) are designed to be simple, reproducible and transparent, yet general enough to encompass the largest set of structures having sufficient levels of fluorination to potentially impart PFAS-type properties. The combination of substructural filters and threshold of percentage of fluorination were identified in the development of the manuscript \"A Proposed approach to defining per- and polyfluoroalkyl substances (PFAS) based on molecular structure and formula\" by Gaines et al. ", + "listName": "PFASSTRUCTV5", "chemicalCount": 14735, "createdAt": "2022-08-18T16:39:57Z", "updatedAt": "2022-10-29T19:52:04Z", - "listName": "PFASSTRUCTV5", "shortDescription": "List consists of all records with a structure assigned, and using a set of substructural filters and percent of fluorine in the molecular formula. " }, { "id": 1244, "type": "federal", - "label": "WATER|PFAS: PFAS Chemicals contained in the EPA Drinking Water Treatability Database", "visibility": "PUBLIC", + "label": "WATER|PFAS: PFAS Chemicals contained in the EPA Drinking Water Treatability Database", "longDescription": "The Drinking Water Treatability Database (TDB)<\/a> presents referenced information on the control of contaminants in drinking water. It provides users—including drinking water utilities, primacy agencies, first responders to spills or emergencies, treatment process designers, research organizations, academicians, and others—with current information on more than 30 treatment processes and over 120 regulated and unregulated contaminants, including 26 PFAS chemicals, a total of 38 chemicals when considering salt and acid forms. The referenced information in the TDB comprises bench-, pilot-, and full-scale studies of surface, ground, and laboratory waters gathered from thousands of literature sources, including peer-reviewed journals and conferences, other conferences and symposia, research reports, theses, and dissertations.", + "listName": "PFASTDB", "chemicalCount": 38, "createdAt": "2021-08-01T17:27:40Z", "updatedAt": "2021-08-01T17:41:02Z", - "listName": "PFASTDB", "shortDescription": "The Drinking Water Treatability Database (TDB) presents referenced information on the control of contaminants in drinking water. This list is a subset of PFAS chemicals contained in the TDB." }, { "id": 1869, "type": "federal", - "label": "PFAS: Navigation Panel to PFAS Toxics Release Inventory Lists", "visibility": "PUBLIC", + "label": "PFAS: Navigation Panel to PFAS Toxics Release Inventory Lists", "longDescription": "PFAS Toxics Release Inventory (TRI) structure lists are versioned iteratively and this description navigates between the various versions of the structure lists. The list of structures displayed below represents the latest iteration of structures (PFASTRIV2 - February 2023). For the versioned lists please use the hyperlinked lists below.

\r\n\r\n
PFASTRI2<\/a> - February 2023 This list

\r\n\r\n
PFASTRI1<\/a> - February 2022

", + "listName": "PFASTRI", "chemicalCount": 189, "createdAt": "2023-09-23T11:41:01Z", "updatedAt": "2023-09-23T11:50:36Z", - "listName": "PFASTRI", "shortDescription": "PFAS Toxics Release Inventory (TRI) structure lists are versioned iteratively and this description navigates between the various versions of the structure lists." }, { "id": 1358, "type": "federal", - "label": "PFAS: PFAS to the Toxics Release Inventory (TRI) Program by the National Defense Authorization Act (Version 1)", "visibility": "PUBLIC", + "label": "PFAS: PFAS to the Toxics Release Inventory (TRI) Program by the National Defense Authorization Act (Version 1)", "longDescription": "Section 7321 of the National Defense Authorization Act for Fiscal Year 2020 (P.L. 116-92) (NDAA) added certain Per- and Polyfluoroalkyl Substances (PFAS) to the
TRI list of reportable chemicals<\/a>. The chemicals listed here are reportable to the Toxics Release Inventory (TRI). (Last updated: February 15th, 2022)\r\n\r\n", + "listName": "PFASTRIV1", "chemicalCount": 179, "createdAt": "2022-02-15T09:42:52Z", "updatedAt": "2023-09-23T11:45:18Z", - "listName": "PFASTRIV1", "shortDescription": "The National Defense Authorization Act (2020) added PFAS chemicals to the Toxics Release Inventory (TRI)" }, { "id": 232, "type": "federal", - "label": "EPA: PPRTV Chemical Report", "visibility": "PUBLIC", + "label": "EPA: PPRTV Chemical Report", "longDescription": "PPRTVs are developed for use in the EPA Superfund Program. Requests to try and derive a PPRTV are generally filtered through the EPA Regional Superfund Program, in which the site subject to the request is located. However, Regions typically request PPRTVs regardless of what party is considered the lead agency or is funding response actions on the (Superfund) site, including Fund-lead sites, potential responsible party (PRP) lead sites, State-lead sites, and sites where other Federal agencies may be identified as the lead agency.", + "listName": "PPRTVWEB", "chemicalCount": 407, "createdAt": "2016-06-08T11:23:39Z", "updatedAt": "2019-02-06T10:01:36Z", - "listName": "PPRTVWEB", "shortDescription": "The Provisional Peer-Reviewed Toxicity Values (PPRTVs) currently represent the second tier of human health toxicity values for the EPA Superfund and Resource Conservation and Recovery Act (RCRA) hazardous waste programs." }, { "id": 398, "type": "federal", - "label": "EPA; Superfund Chemical Data Matrix ", "visibility": "PUBLIC", + "label": "EPA; Superfund Chemical Data Matrix ", "longDescription": "The Superfund Chemical Data Matrix (SCDM) generates a list of the corresponding Hazard Ranking System (HRS) factor values, benchmarks, and data elements for a particular chemical.", + "listName": "SCDM", "chemicalCount": 220, "createdAt": "2017-07-19T13:21:54Z", "updatedAt": "2018-11-16T21:58:15Z", - "listName": "SCDM", "shortDescription": "The Superfund Chemical Data Matrix (SCDM) generates a list of the corresponding Hazard Ranking System (HRS) factor values, benchmarks, and data elements for a particular chemical." }, { "id": 791, "type": "federal", - "label": "EPA|SCIL: Safer Chemicals Full List", "visibility": "PUBLIC", + "label": "EPA|SCIL: Safer Chemicals Full List", "longDescription": "The Safer Chemical Ingredients List (SCIL) is a list of chemical ingredients, arranged by functional-use class, that the Safer Choice Program has evaluated and determined to be safer than traditional chemical ingredients. This list is designed to help manufacturers find safer chemical alternatives that meet the criteria of the Safer Choice Program.\r\nBefore Safer Choice decides to include a chemical on the SCIL, a third-party profiler (i.e., NSF, International or ToxServices) gathers hazard information from a broad set of resources, including the identification and evaluation of all available toxicological and environmental fate data. The third party profiler submits a report to Safer Choice, with a recommendation on whether the chemical passes the Criteria for Safer Chemical Ingredients. Safer Choice staff performs due diligence by reviewing the submission for completeness, consistency, and compliance with the Safer Choice Criteria. If more than one third-party has evaluated the chemical, Safer Choice also checks for differences in the profiles and resolves any conflicts. In some cases, Safer Choice may also perform additional literature reviews and consider data from confidential sources, such as EPA's New Chemicals Program. Safer Choice does not typically examine primary literature (original studies) as part of its review and listing decisions.\r\nThe list is not intended to be exclusive. Chemicals may be submitted as part of a formulation that the program has yet to review or a chemical manufacturer may develop a chemical to meet the Safer Choice criteria. If these chemicals meet our criteria, they may be approved for use in Safer Choice-labeled products and added to the SCIL. Chemicals may be removed from the list or have their status changed based on new data or innovations that raise the safer-chemistry bar. Safer Choice will ensure that no confidential or trade secret information appears in this list.", + "listName": "SCILFULL", "chemicalCount": 965, "createdAt": "2019-11-16T17:38:27Z", "updatedAt": "2020-04-23T06:43:39Z", - "listName": "SCILFULL", "shortDescription": "Safer Chemical Ingredients List (SCIL) 2019 " }, { "id": 790, "type": "federal", - "label": "SCIL: Safer Chemicals List Green Circle List", "visibility": "PUBLIC", + "label": "SCIL: Safer Chemicals List Green Circle List", "longDescription": "The Safer Chemical Ingredients List (SCIL) is a list of chemical ingredients, arranged by functional-use class, that the Safer Choice Program has evaluated and determined to be safer than traditional chemical ingredients. This list is designed to help manufacturers find safer chemical alternatives that meet the criteria of the Safer Choice Program.
\r\n\r\n
This subset is the Green circle list - the chemical has been verified to be of low concern based on experimental and modeled data. The other related subsets are:

\r\n\r\n
Green half-circle<\/a> - The chemical is expected to be of low concern based on experimental and modeled data. Additional data would strengthen our confidence in the chemical’s safer status.

\r\n\r\n
Yellow triangle<\/a> - The chemical has met Safer Choice Criteria for its functional ingredient-class, but has some hazard profile issues. Specifically, a chemical with this code is not associated with a low level of hazard concern for all human health and environmental endpoints. While it is a best-in-class chemical and among the safest available for a particular function, the function fulfilled by the chemical should be considered an area for safer chemistry innovation.

\r\n\r\n
Grey square<\/a> - This chemical will not be acceptable for use in products that are candidates for the Safer Choice label and currently labeled products that contain it must reformulate per Safer Choice Compliance Schedules.

\r\n\r\n", + "listName": "SCILGREENCIRCLE", "chemicalCount": 631, "createdAt": "2019-11-16T17:36:25Z", "updatedAt": "2019-11-16T17:36:53Z", - "listName": "SCILGREENCIRCLE", "shortDescription": "Safer Chemical Ingredients List (SCIL) 2019 Green Circle Subset" }, { "id": 792, "type": "federal", - "label": "SCIL: Safer Chemicals List Green Half Circle Subset", "visibility": "PUBLIC", + "label": "SCIL: Safer Chemicals List Green Half Circle Subset", "longDescription": "The Safer Chemical Ingredients List (SCIL) is a list of chemical ingredients, arranged by functional-use class, that the Safer Choice Program has evaluated and determined to be safer than traditional chemical ingredients. This list is designed to help manufacturers find safer chemical alternatives that meet the criteria of the Safer Choice Program.
\r\n\r\n
This subset is the Green half circle list - The chemical is expected to be of low concern based on experimental and modeled data. Additional data would strengthen our confidence in the chemical’s safer status. The other related subsets are:

\r\n\r\n
Green circle<\/a> - the chemical has been verified to be of low concern based on experimental and modeled data.

\r\n\r\n
Yellow triangle<\/a> - The chemical has met Safer Choice Criteria for its functional ingredient-class, but has some hazard profile issues. Specifically, a chemical with this code is not associated with a low level of hazard concern for all human health and environmental endpoints. While it is a best-in-class chemical and among the safest available for a particular function, the function fulfilled by the chemical should be considered an area for safer chemistry innovation.

\r\n\r\n
Grey square<\/a> - This chemical will not be acceptable for use in products that are candidates for the Safer Choice label and currently labeled products that contain it must reformulate per Safer Choice Compliance Schedules.

\r\n\r\n", + "listName": "SCILGREENHALFCIRCLE", "chemicalCount": 115, "createdAt": "2019-11-16T17:40:06Z", "updatedAt": "2019-11-16T17:40:27Z", - "listName": "SCILGREENHALFCIRCLE", "shortDescription": "Safer Chemical Ingredients List (SCIL) 2019 Green Half Circle Subset" }, { "id": 794, "type": "federal", - "label": "SCIL: Safer Chemicals List Grey Square Subset", "visibility": "PUBLIC", + "label": "SCIL: Safer Chemicals List Grey Square Subset", "longDescription": "The Safer Chemical Ingredients List (SCIL) is a list of chemical ingredients, arranged by functional-use class, that the Safer Choice Program has evaluated and determined to be safer than traditional chemical ingredients. This list is designed to help manufacturers find safer chemical alternatives that meet the criteria of the Safer Choice Program.
\r\n\r\n
This subset is the Grey square - This chemical will not be acceptable for use in products that are candidates for the Safer Choice label and currently labeled products that contain it must reformulate per Safer Choice Compliance Schedules. The other related subsets are:

\r\n\r\n
Green circle<\/a> - the chemical has been verified to be of low concern based on experimental and modeled data.

\r\n\r\n
Green half-circle<\/a> - The chemical is expected to be of low concern based on experimental and modeled data. Additional data would strengthen our confidence in the chemical’s safer status.

\r\n\r\n
Yellow triangle<\/a> - The chemical has met Safer Choice Criteria for its functional ingredient-class, but has some hazard profile issues. Specifically, a chemical with this code is not associated with a low level of hazard concern for all human health and environmental endpoints. While it is a best-in-class chemical and among the safest available for a particular function, the function fulfilled by the chemical should be considered an area for safer chemistry innovation.

", + "listName": "SCILGREYSQUARE", "chemicalCount": 3, "createdAt": "2019-11-16T17:44:11Z", "updatedAt": "2019-11-16T17:44:38Z", - "listName": "SCILGREYSQUARE", "shortDescription": "Safer Chemical Ingredients List (SCIL) 2019 Grey Square Subset" }, { "id": 793, "type": "federal", - "label": "SCIL: Safer Chemicals List Yellow Triangle Subset", "visibility": "PUBLIC", + "label": "SCIL: Safer Chemicals List Yellow Triangle Subset", "longDescription": "The Safer Chemical Ingredients List (SCIL) is a list of chemical ingredients, arranged by functional-use class, that the Safer Choice Program has evaluated and determined to be safer than traditional chemical ingredients. This list is designed to help manufacturers find safer chemical alternatives that meet the criteria of the Safer Choice Program.
\r\n\r\n
This subset is the Yellow triangle list - The chemical has met Safer Choice Criteria for its functional ingredient-class, but has some hazard profile issues. Specifically, a chemical with this code is not associated with a low level of hazard concern for all human health and environmental endpoints. While it is a best-in-class chemical and among the safest available for a particular function, the function fulfilled by the chemical should be considered an area for safer chemistry innovation. The other related subsets are:

\r\n\r\n
Green circle<\/a> - the chemical has been verified to be of low concern based on experimental and modeled data.

\r\n\r\n
Green half-circle<\/a> - The chemical is expected to be of low concern based on experimental and modeled data. Additional data would strengthen our confidence in the chemical’s safer status.

\r\n\r\n
Grey square<\/a> - This chemical will not be acceptable for use in products that are candidates for the Safer Choice label and currently labeled products that contain it must reformulate per Safer Choice Compliance Schedules.

\r\n\r\n\r\n", + "listName": "SCILYELLOWTRIANGLE", "chemicalCount": 216, "createdAt": "2019-11-16T17:42:24Z", "updatedAt": "2019-11-16T17:42:45Z", - "listName": "SCILYELLOWTRIANGLE", "shortDescription": "Safer Chemical Ingredients List (SCIL) 2019 Yellow Triangle Subset" }, { "id": 784, "type": "federal", - "label": "LIST: SCOGS (Select Committee on GRAS Substances) ", "visibility": "PUBLIC", + "label": "LIST: SCOGS (Select Committee on GRAS Substances) ", "longDescription": "The
SCOGS database<\/a> allows access to opinions and conclusions from 115 SCOGS reports* published between 1972-1980 on the safety of over 370 Generally Recognized As Safe (GRAS) food substances. The list is accessible at \r\n\r\n", + "listName": "SCOGSLIST", "chemicalCount": 331, "createdAt": "2019-11-16T16:11:59Z", "updatedAt": "2020-04-23T09:35:30Z", - "listName": "SCOGSLIST", "shortDescription": "The SCOGS database allows access to opinions and conclusions from 115 SCOGS reports published between 1972-1980" }, { "id": 949, "type": "federal", - "label": "State-Specific Water Quality Standards Effective under the Clean Water Act (CWA)", "visibility": "PUBLIC", + "label": "State-Specific Water Quality Standards Effective under the Clean Water Act (CWA)", "longDescription": "The State-Specific Water Quality Standards Effective under the Clean Water Act (CWA) website is available \r\nhere<\/a>.\r\n\r\nEPA has compiled state, territorial, and authorized tribal water quality standards that EPA has approved or are otherwise in effect for Clean Water Act purposes. This compilation is continuously updated as EPA approves new or revised Water Quality Standards. \r\n\r\nIn instances when state-specific water quality standards have not been developed or approved by EPA, the Agency will propose and/or promulgate standards for a state until such time as the state submits and EPA approves their own standards. Any federally-proposed or promulgated replacement water quality standards are also identified.\r\n\r\nWater quality standards may contain additional provisions outside the scope of the Clean Water Act, its implementing federal regulations, or EPA's authority. In some cases, these additional provisions have been included as supplementary information.\r\n\r\nEPA is posting the water quality standards as a convenience to users and has made a reasonable effort to assure their accuracy. Additionally, EPA has made a reasonable effort to identify parts of the standards that are approved, disapproved, or are otherwise not in effect for Clean Water Act purposes. ", + "listName": "SSWQS", "chemicalCount": 409, "createdAt": "2020-06-24T19:31:29Z", "updatedAt": "2020-06-24T19:56:30Z", - "listName": "SSWQS", "shortDescription": "EPA has compiled state, territorial, and authorized tribal water quality standards that EPA has approved or are otherwise in effect for Clean Water Act purposes. " }, { "id": 923, "type": "federal", - "label": "EPA: Underground Storage Tanks (USTs)", "visibility": "PUBLIC", + "label": "EPA: Underground Storage Tanks (USTs)", "longDescription": "Approximately 550,000 underground storage tanks (USTs)<\/a> nationwide store petroleum or hazardous substances. The greatest potential threat from a leaking UST is contamination of groundwater, the source of drinking water for nearly half of all Americans. EPA, states, territories, and tribes work in partnership with industry to protect the environment and human health from potential releases.

\r\n\r\nOther lists of interest are:

\r\n\r\nHazardous Substance List (40CFR116.4): related to Above Ground Storage Tanks\r\n
Hazardous Substance List (40CFR116.4): related to Above Ground Storage Tanks<\/a>

\r\n\r\nList of constituents of motor fuels relevant to leaking underground storage tank sites\r\n
List of constituents of motor fuels relevant to leaking underground storage tank sites<\/a>

\r\n", + "listName": "STORAGETANKS", "chemicalCount": 756, "createdAt": "2020-05-20T15:20:05Z", "updatedAt": "2020-07-27T13:07:13Z", - "listName": "STORAGETANKS", "shortDescription": "Chemicals present in Underground Storage Tanks " }, { "id": 966, "type": "federal", - "label": "WATER: EPA Drinking Water Treatability Database", "visibility": "PUBLIC", + "label": "WATER: EPA Drinking Water Treatability Database", "longDescription": "The
Drinking Water Treatability Database (TDB)<\/a> (TDB) presents referenced information on the control of contaminants in drinking water. It provides users—including drinking water utilities, primacy agencies, first responders to spills or emergencies, treatment process designers, research organizations, academicians, and others—with current information on more than 30 treatment processes and over 120 regulated and unregulated contaminants, including 26 PFAS chemicals. The referenced information in the TDB comprises bench-, pilot-, and full-scale studies of surface, ground, and laboratory waters gathered from thousands of literature sources, including peer-reviewed journals and conferences, other conferences and symposia, research reports, theses, and dissertations. (Last updated: July 31st, 2020)", + "listName": "TDB2020", "chemicalCount": 97, "createdAt": "2020-07-31T12:22:47Z", "updatedAt": "2023-07-25T00:03:07Z", - "listName": "TDB2020", "shortDescription": "The Drinking Water Treatability Database (TDB) presents referenced information on the control of contaminants in drinking water." }, { "id": 1853, "type": "federal", - "label": "WATER: EPA Drinking Water Treatability Database 2023", "visibility": "PUBLIC", + "label": "WATER: EPA Drinking Water Treatability Database 2023", "longDescription": "The Drinking Water Treatability Database (TDB)<\/a> (TDB) presents referenced information on the control of contaminants in drinking water. It provides users—including drinking water utilities, primacy agencies, first responders to spills or emergencies, treatment process designers, research organizations, academicians, and others—with current information on more than 30 treatment processes and over 120 regulated and unregulated contaminants, including 26 PFAS chemicals. The referenced information in the TDB comprises bench-, pilot-, and full-scale studies of surface, ground, and laboratory waters gathered from thousands of literature sources, including peer-reviewed journals and conferences, other conferences and symposia, research reports, theses, and dissertations. (Last updated: July 25th, 2023)", + "listName": "TDB2023", "chemicalCount": 71, "createdAt": "2023-07-25T00:05:03Z", "updatedAt": "2023-07-25T00:05:41Z", - "listName": "TDB2023", "shortDescription": "The Drinking Water Treatability Database (TDB) presents referenced information on the control of contaminants in drinking water." }, { "id": 888, "type": "federal", - "label": "LIST: Tire Crumb Rubber", "visibility": "PUBLIC", + "label": "LIST: Tire Crumb Rubber", "longDescription": "This chemical list is based on data contained within the Federal Research Action Plan (FRAP) on Recycled Tire Crumb Used on Playing Fields and Playgrounds<\/a>. The chemical list is obtained from the Toxicity reference information spreadsheet<\/a> compiled for the potential tire crumb rubber chemical constituents identified in the State-of-Science Literature Review/Gaps Analysis, White Paper Summary of Results. Eleven sources of publicly available toxicity reference information were searched. It is important to recognize that not all potential chemical constituents identified through the literature search were confirmed through measurements made under the Federal Research Action Plan.\r\n\r\n\r\n\r\n\r\n\r\n", + "listName": "TIRECRUMB", "chemicalCount": 290, "createdAt": "2020-04-23T13:17:01Z", "updatedAt": "2020-04-23T14:31:34Z", - "listName": "TIRECRUMB", "shortDescription": "List of chemicals based on the Federal Research Action Plan (FRAP) on Recycled Tire Crumb Used on Playing Fields and Playgrounds" }, { "id": 161, "type": "federal", - "label": "TOX21SL: Tox21 Screening Library", "visibility": "PUBLIC", + "label": "TOX21SL: Tox21 Screening Library", "longDescription": "TOX21SL is a list of unique DSSTox substances comprising the original screening library for the Tox21 program, a multi-federal agency collaborative among US EPA, the National Institutes of Health (NIH) National Toxicology Program (NTP) and National Center for Advances in Translational Science (NCATS), and the US Food and Drug Administration (FDA). EPA, NTP and NCATS partners contributed approximately equal size inventories to the library, whereas FDA contributed a small set of drugs. EPA’s contribution to the original TOX21SL fully covered its ToxCast inventory, so retains significant overlap with the current ToxCast HTS inventory (TOXCAST<\/a>). The NTP contribution was drawn from the NTP bioassay and research testing programs of chemicals of interest to environmental toxicology, and the NCATS contribution consisted primarily of marketed drugs. Tox21 compounds were selected based on a wide range of criteria, including, but not limited to: environmental hazard or exposure concern based on production volume (industrial chemicals) or occurrence data, availability of animal toxicity study data, food-additives, fragrances, toxicity reference chemicals, and drugs or known bioactive compounds. Chemicals in the original Tox21 program underwent screening at the intramural NCATS robotics testing facility. All HTS assay data generated in association with the Tox21 program are publicly available through PubChem (https://pubchem.ncbi.nlm.nih.gov/), as are the analytical chemistry quality control (QC) summary records generated in association with the Tox21 testing program. Tox21 assay data are also included in EPA’s ToxCast data downloads (https://www.epa.gov/chemical-research/exploring-toxcast-data-downloadable-data)<\/a>.

For current information on the Tox21 program, see \r\n
https://tox21.gov/page/home<\/a>

\r\nUpdate (Nov 20, 2018):

The following publication coauthored by Tox21 Federal Partner Leads lays out a strategic and operational plan for the Tox21 program from 2018 onward:
https://www.ncbi.nlm.nih.gov/pubmed/29529324)<\/a>
\r\nThe plan articulates areas of focused scientific investment, both in chemical and biological space, to which new Tox21 cross-partner projects will be directed. In keeping with the new strategic plan, the Tox21 testing library moving forward is being consolidated under EPA chemical management and includes the full, currently available EPA ToxCast chemical library as well as approx. 1300 newly added chemicals provided by the NTP that were in the original TOX21SL library. The full chemical library available to the Tox21 cross-partner projects as DMSO solutions currently exceeds 6400 chemicals, of which nearly 6000 were included in the original TOX21SL library. A snapshot of this active plating library list (dated 11/21/2018) can be accessed at
EPACHEMINV_AVAIL<\/a>.\r\n\r\n ", + "listName": "TOX21SL", "chemicalCount": 8947, "createdAt": "2014-06-10T00:00:00Z", "updatedAt": "2018-11-23T20:53:50Z", - "listName": "TOX21SL", "shortDescription": "TOX21SL is list of unique substances comprising the screening library for the Tox21 program, a multi-federal agency collaborative among the US EPA, NIH/NTP, NIH/NCATS, and the US FDA." }, { "id": 1432, "type": "federal", - "label": "TOXCAST is the complete list of chemicals having undergone some level of screening in EPA's ToxCast research program since 2007 (last updated 4/11/2017); sublists included.", "visibility": "PUBLIC", + "label": "TOXCAST is the complete list of chemicals having undergone some level of screening in EPA's ToxCast research program since 2007 (last updated 4/11/2017); sublists included.", "longDescription": "TOXCAST consists of the full list of chemicals having undergone some level of screening in EPA's ToxCast research program from 2007 to the present (last updated 4/11/2017). The list includes all chemicals available for current Phase III testing, as well as discontinued chemicals that underwent limited screening in earlier Phases I and II of the ToxCast program. Discontinued chemicals includes those that were depleted and could not be reprocured (cost, availability), and those discontinued for other reasons (e.g., limited solubility, instability, volatility). TOXCAST also includes EPA’s full, plated contribution of nearly 4000 unique chemicals to the multi-federal agency Tox21 program (TOX21SL<\/a>). A publication detailing the construction and composition of the ToxCast inventory (Richard et al., Chem. Res. Toxicol. 2016) can be freely downloaded from: http://pubs.acs.org/doi/abs/10.1021/acs.chemrestox.6b00135<\/a>

\r\n\r\nRelated sublists:
\r\n\r\n
TOXCAST_PhaseI: <\/a> … 310 chemicals (mostly pesticides) screened in Phase I of the ToxCast program (ph1v1 subset)

\r\n\r\n
TOXCAST_PhaseII: <\/a> … 1800 chemicals screened in Phase II of the ToxCast program, consisting of TOXCAST_ph1v2, ph2 and e1k sublists

\r\n\r\n
TOXCAST_PhaseIII: <\/a>… 4584 chemicals available for screening in the current Phase III of the ToxCast program (as of 4/11/2017)

\r\n\r\n
TOXCAST_ph1v2: <\/a>… 293 chemicals representing reprocured subset of Phase I (ph1v1) moved into Phase II testing

\r\n\r\n
TOXCAST_ph2: <\/a>… 768 chemicals added in Phase II of the ToxCast program to increase chemical diversity and coverage of chemicals of concern to EPA programs

\r\n\r\n
TOXCAST_e1k: <\/a>… 799 chemicals added in Phase II of the ToxCast program that were selected for screening in endocrine-related assays

\r\n\r\n
TOXCAST_ph3: <\/a>… 2678 chemicals added in the most recent, ongoing Phase III of the ToxCast program (current as of 4/11/2017)

\r\n\r\n\r\nFor more information on EPA’s ToxCast program, see:\r\n
https://www.epa.gov/chemical-research/toxicity-forecasting<\/a>

\r\n\r\n\r\nTo access the ToxCast HTS data within the EPA ToxCast Dashboard, see:\r\n
https://www.epa.gov/chemical-research/toxcast-dashboard <\/a>

\r\n", + "listName": "TOXCAST", "chemicalCount": 4746, "createdAt": "2022-04-06T15:19:51Z", "updatedAt": "2022-04-06T15:27:24Z", - "listName": "TOXCAST", "shortDescription": "TOXCAST is the complete list of chemicals having undergone some level of screening in EPA's ToxCast research program since 2007 (last updated 4/11/2017); sublists included." }, { "id": 175, "type": "federal", - "label": "ToxCast Phase II donated pharma inventory", "visibility": "PUBLIC", + "label": "ToxCast Phase II donated pharma inventory", "longDescription": "ToxCast Phase II donated pharma inventory included in ph2 inventory", + "listName": "TOXCAST_donatedpharma", "chemicalCount": 136, "createdAt": "2016-01-25T18:25:14Z", "updatedAt": "2018-01-30T18:59:13Z", - "listName": "TOXCAST_donatedpharma", "shortDescription": "ToxCast Phase II donated pharma inventory included in ph2 inventory" }, { "id": 1433, "type": "federal", - "label": "TOXCAST_e1k is the e1k subset of TOXCAST, selected for screening in endocrine-related assays.", "visibility": "PUBLIC", + "label": "TOXCAST_e1k is the e1k subset of TOXCAST, selected for screening in endocrine-related assays.", "longDescription": "TOXCAST_e1k is the e1k subset of EPA’s ToxCast Screening Library (TOXCAST), consisting of 799 unique chemicals added in Phase II of EPA’s ToxCast program (non-overlapping with the ph1v2, ph2 subsets in Phase II) that were specifically introduced for screening in endocrine-related assays (e.g., ER - estrogen receptor and AR - androgen receptor) in support of EPA's Endocrine Disruption Screening Program. For more details, see
TOXCAST<\/a>", + "listName": "TOXCAST_E1K", "chemicalCount": 799, "createdAt": "2022-04-06T15:40:02Z", "updatedAt": "2022-04-06T15:40:41Z", - "listName": "TOXCAST_E1K", "shortDescription": "TOXCAST_e1k is the e1k subset of TOXCAST, selected for screening in endocrine-related assays." }, { "id": 177, "type": "federal", - "label": "ToxCast EPA contribution to the Tox21 inventory", "visibility": "PUBLIC", + "label": "ToxCast EPA contribution to the Tox21 inventory", "longDescription": "ToxCast EPA contribution to the Tox21 inventory", + "listName": "TOXCAST_EPATox21", "chemicalCount": 4078, "createdAt": "2016-01-25T18:56:00Z", "updatedAt": "2017-11-22T16:18:39Z", - "listName": "TOXCAST_EPATox21", "shortDescription": "ToxCast EPA contribution to the Tox21 inventory" }, { "id": 549, "type": "federal", - "label": "EPA ToxCast invitrodb v3.0 (October 2018)", "visibility": "PUBLIC", + "label": "EPA ToxCast invitrodb v3.0 (October 2018)", "longDescription": "This list of chemicals corresponds to chemicals with bioactivity assay data in EPA's ToxCast Database, referred to as invitrodb (v3 public release, October 2018). Invitrodb contains data for chemicals in the ToxCast and Tox21 programs, with more information available here<\/a>. This list is provided as a resource to support the October 2018 version of the bioactivity data in invitrodb v3.0 and can be downloaded and cited as follows: EPA National Center for Computational Toxicology. (2018). Invitrodb version 3.0. https://doi.org/10.23645/epacomptox.6062623.v2<\/a>", + "listName": "ToxCast_invitroDB_v3_0", "chemicalCount": 9403, "createdAt": "2018-10-05T15:52:37Z", "updatedAt": "2022-05-17T17:10:39Z", - "listName": "ToxCast_invitroDB_v3_0", "shortDescription": "This list of chemicals corresponds to chemicals with bioactivity assay data in EPA's ToxCast Database, referred to as invitrodb (v3 public release, October 2018)." }, { "id": 172, "type": "federal", - "label": "EPA ToxCast Screening Library (ph1v2 subset)", "visibility": "PUBLIC", + "label": "EPA ToxCast Screening Library (ph1v2 subset)", "longDescription": "TOXCAST_ph1v2 is the ph1v2 subset of EPA’s ToxCast Screening Library (TOXCAST) chemicals, consisting of 293 reprocured Phase I (TOXCAST_ph1v1) chemicals, consisting of mostly pesticides with guideline in vivo toxicity study data, that were moved into Phase II and later testing phases of the ToxCast program. Th ph1v2 inventory excluded 17 ph1v1 chemicals that were retired from screening after Phase I due to solubility and degradation issues. \r\n\r\nFor more details, see TOXCAST<\/a>

\r\n", + "listName": "TOXCAST_ph1v2", "chemicalCount": 293, "createdAt": "2016-01-25T17:25:31Z", "updatedAt": "2022-02-15T13:23:16Z", - "listName": "TOXCAST_ph1v2", "shortDescription": "TOXCAST_ph1v2 is the ph1v2 subset of TOXCAST, a reprocured subset of Phase I (ph1v1) chemicals moved into Phase II and later testing phases of the ToxCast program." }, { "id": 173, "type": "federal", - "label": "EPA ToxCast Screening Library (ph2 subset)", "visibility": "PUBLIC", + "label": "EPA ToxCast Screening Library (ph2 subset)", "longDescription": "TOXCAST_ph2 is the ph2 subset of EPA’s ToxCast Screening Library (TOXCAST) chemicals, entered into testing in Phase II of the ToxCast screening program. At the close of Phase II testing, this inventory consisted of 768 unique chemicals spanning a wide variety of EPA and public lists, that were chosen to increase the chemical diversity and scope of the TOXCAST library, provide greater coverage of chemicals of concern to EPA programs, and span a broader range of bioactivity and toxicity endpoints. For more details, see
TOXCAST<\/a>

", + "listName": "TOXCAST_ph2", "chemicalCount": 768, "createdAt": "2016-01-25T17:58:13Z", "updatedAt": "2022-02-15T13:23:42Z", - "listName": "TOXCAST_ph2", "shortDescription": "TOXCAST_ph2 is the ph2 subset of TOXCAST, added in Phase II of the ToxCast program to increase chemical diversity and coverage of chemicals of concern to EPA programs." }, { "id": 176, "type": "federal", - "label": "EPA ToxCast Screening Library (ph3 subset)", "visibility": "PUBLIC", + "label": "EPA ToxCast Screening Library (ph3 subset)", "longDescription": "TOXCAST_ph3 is the ph3 subset of EPA’s ToxCast Screening Library (TOXCAST) chemicals, consisting of the most recently added set of 2678 chemicals entering into Phase III of the ToxCast program, including both newly added chemicals as well as EPA chemicals previously included in the Tox21 library (see
TOX21SL<\/a>) that were not previously included in Phases I or II of the ToxCast program. The ph3 subset represents a wide variety of EPA and public lists with the aim of further increasing chemical diversity, coverage of chemicals of concern to EPA programs, and representation of bioactivity and toxicity endpoints. Testing Phases I and II of the ToxCast program are closed; hence the inventories associated with those historical data (i.e., ph1v1, ph2v2, e1k) are static and unchanging. ToxCast Phase III is currently underway; hence the ph3 inventory (current as of 4/11/2017) may continue to expand into less well-represented areas of chemistry and biology. For more details, see TOXCAST<\/a>

", + "listName": "TOXCAST_ph3", "chemicalCount": 2678, "createdAt": "2016-01-25T18:30:13Z", "updatedAt": "2022-02-15T13:30:18Z", - "listName": "TOXCAST_ph3", "shortDescription": "TOXCAST_ph3 is the ph3 subset of TOXCAST, added to the most recent Phase III of the ToxCast program to further increase chemical diversity and coverage of chemicals of concern to EPA programs." }, { "id": 180, "type": "federal", - "label": "EPA ToxCast Screening Library (Phase I subset)", "visibility": "PUBLIC", + "label": "EPA ToxCast Screening Library (Phase I subset)", "longDescription": "TOXCAST_PhaseI corresponds to the ph1v1 subset of EPA’s ToxCast Screening Library (TOXCAST), consisting of 310 unique chemicals, mostly pesticidal actives for which in vivo guideline study data were available, that were screened in the earliest, Phase I of the ToxCast program. At the conclusion of Phase I screening (public data release, Jan, 2010), the majority of the ph1v1 inventory chemicals were reprocured and moved to expanded Phase II testing, with the exception of a subset of 17 chemicals that were retired from further screening due to solubility and degradation issues (see
TOXCAST_ph1v2<\/a> for the reprocured subset). For more details, see TOXCAST<\/a>

", + "listName": "TOXCAST_PhaseI", "chemicalCount": 310, "createdAt": "2016-01-29T14:36:48Z", "updatedAt": "2022-02-15T13:31:13Z", - "listName": "TOXCAST_PhaseI", "shortDescription": "TOXCAST_PhaseI corresponds to the ph1v1 subset of TOXCAST (mostly pesticides) screened in Phase I of the ToxCast program." }, { "id": 181, "type": "federal", - "label": "EPA ToxCast Screening Library (Phase II subset)", "visibility": "PUBLIC", + "label": "EPA ToxCast Screening Library (Phase II subset)", "longDescription": "TOXCAST_PhaseII is the full set of 1860 chemicals screened in Phase II of the ToxCast screening program, consisting of the reprocured Phase I chemical inventory (TOXCAST_ph1v2), together with the TOXCAST_ph2 and TOXCAST_e1k sublists. At the time of the initial ToxCast Phase II public data release (Dec 2013), the e1k chemical subset had undergone limited screening in endocrine-related assays, whereas the ph1_v2 and ph2 subsets (totaling 1061 chemicals) were more completely screened in both ToxCast Phase I assays and assays added in Phase II; all Phase II sublists were also included in Tox21 testing. For more details, see
TOXCAST<\/a>", + "listName": "TOXCAST_PhaseII", "chemicalCount": 1864, "createdAt": "2016-01-29T14:40:41Z", "updatedAt": "2022-02-15T13:31:34Z", - "listName": "TOXCAST_PhaseII", "shortDescription": "TOXCAST_PhaseII is the full set of chemicals screened in Phase II of the ToxCast program, consisting of TOXCAST_ph1v2, ph2 and e1k sublists." }, { "id": 451, "type": "federal", - "label": "EPA ToxCast Screening Library (Phase III subset)", "visibility": "PUBLIC", + "label": "EPA ToxCast Screening Library (Phase III subset)", "longDescription": "TOXCAST_PhaseIII is the full set of 4584 chemicals available for screening in the current Phase III of the ToxCast screening program, consisting of the major portion of the Phase II testing library (excluding 37 chemicals due to unavailability or sample problems), and the newly added ph3 chemical subset. Testing Phases I and II of the ToxCast program are closed; hence the inventories associated with those historical data (i.e., ph1v1, ph2v2, e1k) are static and unchanging. ToxCast Phase III is currently underway; hence, chemicals may be dropped due to depleted stock, and the newly added ph3 inventory (current as of 4/11/2017) may continue to expand into less well-represented areas of chemistry and biology. In addition, whereas Phase III offers the possibility of screening up to 4584 chemicals, typically far fewer chemicals are undergoing more targeted screening. For more details, see TOXCAST<\/a>

", + "listName": "TOXCAST_PhaseIII", "chemicalCount": 4584, "createdAt": "2018-02-13T18:06:11Z", "updatedAt": "2022-02-15T13:32:13Z", - "listName": "TOXCAST_PhaseIII", "shortDescription": "TOXCAST_PhaseIII is the full set of chemicals available for screening in Phase III of the ToxCast program, consisting of the majority of chemicals screened in Phase II and newly added ph3 chemicals." }, { "id": 721, "type": "federal", - "label": "LIST: ToxRefDB v2.0-1 Toxicity Reference Database", "visibility": "PUBLIC", + "label": "LIST: ToxRefDB v2.0-1 Toxicity Reference Database", "longDescription": "The Toxicity Reference Database (ToxRefDB) contains in vivo study data from over 5900 guideline or guideline-like studies for training and validation of predictive models, with more information available here. ToxRefDB v2.0 is described in
Watford et al, 2019<\/a>. ToxRefDB v2.1 is an update to address a compilation error found in ToxRefDB v2.0, as described in Feshuk et al, 2023<\/a>. Though effect data has been added in v2.1, no new chemicals were added.", + "listName": "TOXREFDB2", "chemicalCount": 1176, "createdAt": "2019-09-24T22:32:24Z", "updatedAt": "2023-10-28T14:05:57Z", - "listName": "TOXREFDB2", "shortDescription": "The Toxicity Reference Database v2 structures information from over 5000 in vivo toxicity studies" }, { "id": 416, "type": "federal", - "label": "EPA: Toxicity Values Version 5 (Aug 2018)", "visibility": "PUBLIC", + "label": "EPA: Toxicity Values Version 5 (Aug 2018)", "longDescription": "The Toxicity Values database is delivered via the Hazard Tab in the CompTox Chemicals Dashboard. As of August 2018 the ToxVal Database contains the following data: 772,721 toxicity values from 29 sources of data, 21,507 sub-sources, 4585 journals cited and 69,833 literature citations.\r\n", + "listName": "TOXVAL_V5", "chemicalCount": 57972, "createdAt": "2017-09-22T18:08:22Z", "updatedAt": "2019-11-18T11:34:47Z", - "listName": "TOXVAL_V5", "shortDescription": "The Toxicity Values database is delivered via the Hazard Tab in the CompTox Chemicals Dashboard." }, { "id": 1359, "type": "federal", - "label": "EPA: Toxics Release Inventory ", "visibility": "PUBLIC", + "label": "EPA: Toxics Release Inventory ", "longDescription": "In general chemicals covered by the TRI Program are those that cause one or more of the following: 1) Cancer or other chronic human health effects; 2) Significant adverse acute human health effects; 3) Significant adverse environmental effects. (The TRI chemicals list in the CompTox Chemicals Dashboard is not the official list of all TRI reportable chemicals as it does not include all chemicals covered by the TRI broad chemical categories such as copper compounds, warfarin and salts, etc. The complete list of TRI reportable chemicals and chemical categories can be found at: (www.epa.gov/tri/chemicals<\/a>). This list includes PFAS chemicals associated with Section 7321 of the National Defense Authorization Act for Fiscal Year 2020 (P.L. 116-92) (NDAA) and available here <\/a>. (Last Updated February 15th 2022)", + "listName": "TRIRELEASE", "chemicalCount": 893, "createdAt": "2022-02-15T10:34:59Z", "updatedAt": "2022-02-15T14:02:59Z", - "listName": "TRIRELEASE", "shortDescription": "Chemicals covered by the TRI Program cause one or more of the following: 1) Cancer or other chronic human health effects; 2) Significant adverse acute human health effects; 3) Significant adverse environmental effects (Last Updated February 15th 2022)" }, { "id": 1055, "type": "federal", - "label": "TSCA Active Inventory non-confidential portion (updated February 3rd 2021)", "visibility": "PUBLIC", + "label": "TSCA Active Inventory non-confidential portion (updated February 3rd 2021)", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. The list contained in the dashboard includes the active TSCA inventory based on notifications through Feb. 7th 2018 and substances reported from Feb 8, 2018 – March 30, 2018 that have been unambiguously mapped to DSSTox using CASRN and chemical names. The curation of the non-confidential portion of active TSCA inventory is an ongoing process involving trained chemists to validate the correctness of DSSTox structural and identifier data. The content of the list will change over time as the non-confidential active TSCA inventory is updated and more substances are curated. (Updated February 3rd 2021)", + "listName": "TSCA_ACTIVE_NCTI_0221", "chemicalCount": 33603, "createdAt": "2021-02-03T08:55:59Z", "updatedAt": "2021-08-07T11:16:59Z", - "listName": "TSCA_ACTIVE_NCTI_0221", "shortDescription": "TSCA Active Inventory non-confidential portion (updated February 3rd 2021). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { "id": 1412, "type": "federal", - "label": "TSCA Active Inventory non-confidential portion (updated March 23rd 2022)", "visibility": "PUBLIC", + "label": "TSCA Active Inventory non-confidential portion (updated March 23rd 2022)", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. (Updated March 23rd 2022)", + "listName": "TSCA_ACTIVE_NCTI_0222", "chemicalCount": 33857, "createdAt": "2022-03-23T20:27:54Z", "updatedAt": "2022-06-02T14:12:25Z", - "listName": "TSCA_ACTIVE_NCTI_0222", "shortDescription": "TSCA Active Inventory non-confidential portion (updated March 23rd 2022). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { "id": 1703, "type": "federal", - "label": "TSCA Active Inventory non-confidential portion (Updated February 17th 2023)", "visibility": "PUBLIC", + "label": "TSCA Active Inventory non-confidential portion (Updated February 17th 2023)", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. (Updated February 17th 2023)", + "listName": "TSCA_ACTIVE_NCTI_0223", "chemicalCount": 34534, "createdAt": "2023-02-17T15:12:54Z", "updatedAt": "2023-03-27T08:38:54Z", - "listName": "TSCA_ACTIVE_NCTI_0223", "shortDescription": "TSCA Active Inventory non-confidential portion (updated February 17th 2023). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { "id": 2005, "type": "federal", - "label": "TSCA Active Inventory non-confidential portion (Updated February 26th 2024)", "visibility": "PUBLIC", + "label": "TSCA Active Inventory non-confidential portion (Updated February 26th 2024)", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. This is the TSCA Active Non-Confidential Subset (Updated February 26th 2024)", + "listName": "TSCA_ACTIVE_NCTI_0224", "chemicalCount": 28903, "createdAt": "2024-02-26T13:41:26Z", "updatedAt": "2024-04-08T14:50:50Z", - "listName": "TSCA_ACTIVE_NCTI_0224", "shortDescription": "TSCA Active Inventory non-confidential portion (Updated February 26th 2024). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { "id": 859, "type": "federal", - "label": "TSCA Active Inventory non-confidential portion (updated March 20th 2020).", "visibility": "PUBLIC", + "label": "TSCA Active Inventory non-confidential portion (updated March 20th 2020).", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. The list contained in the dashboard includes the active TSCA inventory based on notifications through Feb. 7th 2018 and substances reported from Feb 8, 2018 – March 30, 2018 that have been unambiguously mapped to DSSTox using CASRN and chemical names. The curation of the non-confidential portion of active TSCA inventory is an ongoing process involving trained chemists to validate the correctness of DSSTox structural and identifier data. The content of the list will change over time as the non-confidential active TSCA inventory is updated and more substances are curated. (Updated March 20th 2020)", + "listName": "TSCA_ACTIVE_NCTI_0320", "chemicalCount": 33369, "createdAt": "2020-03-19T11:48:10Z", "updatedAt": "2020-05-18T18:32:29Z", - "listName": "TSCA_ACTIVE_NCTI_0320", "shortDescription": "TSCA Active Inventory non-confidential portion (updated March 20th 2020). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { "id": 1319, "type": "federal", - "label": "TSCA Active Inventory non-confidential portion (updated August 20th 2021)", "visibility": "PUBLIC", + "label": "TSCA Active Inventory non-confidential portion (updated August 20th 2021)", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. (Updated August 20th 2021)", + "listName": "TSCA_ACTIVE_NCTI_0821", "chemicalCount": 33658, "createdAt": "2021-10-17T11:22:49Z", "updatedAt": "2021-10-22T14:17:24Z", - "listName": "TSCA_ACTIVE_NCTI_0821", "shortDescription": "TSCA Active Inventory non-confidential portion (updated August 20th 2021). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated.\r\n" }, { "id": 1898, "type": "federal", - "label": "TSCA Active Inventory non-confidential portion (Updated August 16th 2023)", "visibility": "PUBLIC", + "label": "TSCA Active Inventory non-confidential portion (Updated August 16th 2023)", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. (Updated August 16th 2023)", + "listName": "TSCA_ACTIVE_NCTI_0823", "chemicalCount": 34716, "createdAt": "2023-12-31T16:34:58Z", "updatedAt": "2024-01-10T12:10:29Z", - "listName": "TSCA_ACTIVE_NCTI_0823", "shortDescription": "TSCA Active Inventory non-confidential portion (Updated August 16th 2023). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated.\r\n" }, { "id": 766, "type": "federal", - "label": "EPA|TSCA: List of Chemicals Undergoing Prioritization: High Priority Candidates March 2019 release", "visibility": "PUBLIC", + "label": "EPA|TSCA: List of Chemicals Undergoing Prioritization: High Priority Candidates March 2019 release", "longDescription": "On March 20, 2019, EPA released a list of 40 chemicals to begin the prioritization process. TSCA requires EPA to publish this list of chemicals to begin the prioritization process and designate 20 chemicals as “high-priority” for subsequent risk evaluation and to designate 20 chemicals as “low-priority,” meaning that risk evaluation is not warranted at this time. Publication in the Federal Register activates a statutory requirement for EPA to complete the prioritization process in the next nine to twelve months, allowing EPA to designate 20 chemicals as high priority and 20 chemicals as low priority by December 2019. The chemicals in the list below are the 20 high priority candidates released in March 2019.", + "listName": "TSCAHIGHPRI", "chemicalCount": 20, "createdAt": "2019-11-16T09:56:52Z", "updatedAt": "2019-12-26T13:37:32Z", - "listName": "TSCAHIGHPRI", "shortDescription": "High Priority List of 20 chemicals undergoing prioritization as of March 2019." }, { "id": 1413, "type": "federal", - "label": "TSCA Inactive Inventory non-confidential portion (Updated March 23rd 2022)", "visibility": "PUBLIC", + "label": "TSCA Inactive Inventory non-confidential portion (Updated March 23rd 2022)", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. (Updated March 23rd 2022)", + "listName": "TSCA_INACTIVE_NCTI_0222", "chemicalCount": 34482, "createdAt": "2022-03-23T20:34:22Z", "updatedAt": "2022-06-06T16:38:59Z", - "listName": "TSCA_INACTIVE_NCTI_0222", "shortDescription": "TSCA Inactive Inventory non-confidential portion (Updated March 23rd 2022). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { "id": 1704, "type": "federal", - "label": "TSCA Inactive Inventory non-confidential portion (Updated February 17th 2023)", "visibility": "PUBLIC", + "label": "TSCA Inactive Inventory non-confidential portion (Updated February 17th 2023)", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. (Updated February 17th 2023)", + "listName": "TSCA_INACTIVE_NCTI_0223", "chemicalCount": 34427, "createdAt": "2023-02-17T16:54:44Z", "updatedAt": "2023-03-23T22:01:04Z", - "listName": "TSCA_INACTIVE_NCTI_0223", "shortDescription": "TSCA Inactive Inventory non-confidential portion (Updated February 17th 2023). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { "id": 2004, "type": "federal", - "label": "TSCA Inactive Inventory non-confidential portion (Updated February 26th 2024)", "visibility": "PUBLIC", + "label": "TSCA Inactive Inventory non-confidential portion (Updated February 26th 2024)", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. This is the TSCA Inactive Non-Confidential Subset (Updated February 26th 2024)\r\n", + "listName": "TSCA_INACTIVE_NCTI_0224", "chemicalCount": 34387, "createdAt": "2024-02-26T13:01:07Z", "updatedAt": "2024-02-27T21:50:31Z", - "listName": "TSCA_INACTIVE_NCTI_0224", "shortDescription": "TSCA Inactive Inventory non-confidential portion (Updated February 26th 2024). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { "id": 1320, "type": "federal", - "label": "TSCA Inactive Inventory non-confidential portion (updated August 20th 2021)", "visibility": "PUBLIC", + "label": "TSCA Inactive Inventory non-confidential portion (updated August 20th 2021)", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. (Updated August 20th 2021)", + "listName": "TSCA_INACTIVE_NCTI_0821", "chemicalCount": 34527, "createdAt": "2021-10-17T11:41:18Z", "updatedAt": "2023-12-29T08:49:14Z", - "listName": "TSCA_INACTIVE_NCTI_0821", "shortDescription": "TSCA Inactive Inventory non-confidential portion (updated August 20th 2021). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated.\r\n" }, { "id": 1900, "type": "federal", - "label": "TSCA Inactive Inventory non-confidential portion (Updated August 16th 2023)", "visibility": "PUBLIC", + "label": "TSCA Inactive Inventory non-confidential portion (Updated August 16th 2023)", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. (Updated August 16th 2023)", + "listName": "TSCA_INACTIVE_NCTI_0823", "chemicalCount": 34405, "createdAt": "2023-12-31T17:26:30Z", "updatedAt": "2023-12-31T17:55:21Z", - "listName": "TSCA_INACTIVE_NCTI_0823", "shortDescription": "TSCA Inactive Inventory non-confidential portion (Updated August 16th 2023). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { "id": 767, "type": "federal", - "label": "EPA|TSCA: List of Chemicals Undergoing Prioritization: Low Priority Candidates March 2019 Release", "visibility": "PUBLIC", + "label": "EPA|TSCA: List of Chemicals Undergoing Prioritization: Low Priority Candidates March 2019 Release", "longDescription": "On March 20, 2019, EPA released a list of 40 chemicals to begin the prioritization process. TSCA requires EPA to publish this list of chemicals to begin the prioritization process and designate 20 chemicals as “high-priority” for subsequent risk evaluation and to designate 20 chemicals as “low-priority,” meaning that risk evaluation is not warranted at this time. Publication in the Federal Register activates a statutory requirement for EPA to complete the prioritization process in the next nine to twelve months, allowing EPA to designate 20 chemicals as high priority and 20 chemicals as low priority by December 2019. The chemicals in the list below are the 20 low priority candidates released in March 2019.", + "listName": "TSCALOWPRI", "chemicalCount": 20, "createdAt": "2019-11-16T10:00:10Z", "updatedAt": "2019-12-26T13:36:46Z", - "listName": "TSCALOWPRI", "shortDescription": "Low Priority List of 20 chemicals undergoing prioritization as of March 2019." }, { "id": 365, "type": "federal", - "label": "EPA|TSCA: TSCA Workplan Step 2 Chemicals", "visibility": "PUBLIC", + "label": "EPA|TSCA: TSCA Workplan Step 2 Chemicals", "longDescription": "As part of EPA’s chemical safety program, EPA has identified a work plan of chemicals for further assessment under the Toxic Substances Control Act (TSCA). EPA's TSCA Work Plan helps focus and direct the activities of its Existing Chemicals Program.\r\n\r\nOriginally released in March 2012, EPA's TSCA Work Plan helps focus and direct the activities of its Existing Chemicals Program. The Work Plan was updated in October 2014. The changes to the TSCA Work Plan reflect updated data submitted to EPA by chemical companies on chemical releases and potential exposures.\r\n\r\nAfter gathering input from stakeholders, EPA developed criteria used for identifying chemicals for further assessment. The criteria focused on chemicals that meet one or more of the following factors:\r\n\r\nPotentially of concern to children’s health (for example, because of reproductive or developmental effects)\r\n\r\nNeurotoxic effects\r\nPersistent, Bioaccumulative, and Toxic (PBT)\r\nProbable or known carcinogens\r\nUsed in children’s products\r\nDetected in biomonitoring programs\r\n\r\nUsing this process, EPA in 2012 identified chemicals in the TSCA Work Plan as candidates for assessment over the next several years, as they all scored high in this screening process based on their combined hazard, exposure, and persistence and bioaccumulation characteristics. In 2014, using new information submitted to the Agency, EPA updated the TSCA Work Plan.", + "listName": "TSCASTEP2", "chemicalCount": 344, "createdAt": "2017-06-02T11:54:18Z", "updatedAt": "2018-11-16T22:05:52Z", - "listName": "TSCASTEP2", "shortDescription": "As part of EPA’s chemical safety program, EPA has identified a work plan of chemicals for further assessment under the Toxic Substances Control Act (TSCA). EPA's TSCA Work Plan helps focus and direct the activities of its Existing Chemicals Program." }, { "id": 397, "type": "federal", - "label": "EPA|TSCA|NORMAN: Surfactant List (subset)", "visibility": "PUBLIC", + "label": "EPA|TSCA|NORMAN: Surfactant List (subset)", "longDescription": "TSCASURF contains information on surfactants compiled by James Little (while at Eastman Chemical) from the TSCA Database. This is being progressively curated and extended. Extensive information and more details on the surfactants and other strategies for identifying “known unknowns” are available on the website of James Little here<\/a>. ", + "listName": "TSCASURF", "chemicalCount": 415, "createdAt": "2017-07-16T08:03:58Z", "updatedAt": "2021-05-25T15:55:32Z", - "listName": "TSCASURF", "shortDescription": "TSCASURF contains information on surfactants compiled by James Little (while at Eastman Chemical) from the TSCA Database. This is being progressively curated and extended. " }, { "id": 200, "type": "federal", - "label": "EPA|TSCA: Work Plan Chemicals (2014)", "visibility": "PUBLIC", + "label": "EPA|TSCA: Work Plan Chemicals (2014)", "longDescription": "The EPA Toxic Substance Control Act (TSCA) Work Plan chemical list (2014 update) is a list of existing chemicals for TSCA assessment, based on industry data submitted to EPA\r\nthrough the Toxics Release Inventory (TRI) in 2011 and the TSCA Chemical Data Reporting (CDR)\r\nrequirements in 2012 on chemical releases and potential exposures. This is the first update to the TSCA Work Plan for Chemical Assessments, which EPA presented in early 2012. As newer data from TRI and CDR become available, EPA will update the TSCA Work Plan for Chemical Assessments. The Agency uses this Work Plan to focus the activities of the Existing Chemicals Program in the Office of Pollution Prevention and Toxics (OPPT) so that existing chemicals having the highest potential for exposure and hazard are assessed, and, if warranted, are subject to risk reduction actions. For more information, \r\n\r\nvisit this website<\/a>.", + "listName": "TSCAWP", "chemicalCount": 90, "createdAt": "2016-03-04T11:04:53Z", "updatedAt": "2022-08-19T13:24:45Z", - "listName": "TSCAWP", "shortDescription": "EPA Toxic Substance Control Act (TSCA) Work Plan chemical list (2014 update) " }, { "id": 483, "type": "federal", - "label": "WATER: First Unregulated Contaminant Monitoring Rule", "visibility": "PUBLIC", + "label": "WATER: First Unregulated Contaminant Monitoring Rule", "longDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants to be monitored by public water systems (PWSs). The second Unregulated Contaminant Monitoring Rule (UCMR 2) was published in 2001. UCMR 1 required monitoring for 25 contaminants between 2001 and 2005 using analytical methods developed by EPA, consensus organizations, or both. This monitoring provides a basis for future regulatory actions to protect public health.", + "listName": "UCMR1", "chemicalCount": 23, "createdAt": "2018-05-05T22:01:27Z", "updatedAt": "2018-11-16T22:10:28Z", - "listName": "UCMR1", "shortDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants. This list was published on 2001." }, { "id": 480, "type": "federal", - "label": "WATER: Second Unregulated Contaminant Monitoring Rule", "visibility": "PUBLIC", + "label": "WATER: Second Unregulated Contaminant Monitoring Rule", "longDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants to be monitored by public water systems (PWSs). The second Unregulated Contaminant Monitoring Rule (UCMR 2) was published on January 4, 2007. UCMR 2 required monitoring for 25 contaminants between 2008 and 2010 using analytical methods developed by EPA, consensus organizations, or both. This monitoring provides a basis for future regulatory actions to protect public health.", + "listName": "UCMR2", "chemicalCount": 25, "createdAt": "2018-05-04T17:07:18Z", "updatedAt": "2018-11-16T22:11:11Z", - "listName": "UCMR2", "shortDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants. This list was published on January 4, 2007." }, { "id": 678, "type": "federal", - "label": "WATER: Third Unregulated Contaminant Monitoring Rule", "visibility": "PUBLIC", + "label": "WATER: Third Unregulated Contaminant Monitoring Rule", "longDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants to be monitored by public water systems (PWSs). The third Unregulated Contaminant Monitoring Rule (UCMR 3<\/a>\r\n) was published in 2012. UCMR 3 required monitoring for 28 chemical contaminants between 2013 and 2015 using analytical methods developed by EPA, consensus organizations, or both. This monitoring provides a basis for future regulatory actions to protect public health. \r\n\r\n\r\n", + "listName": "UCMR3", "chemicalCount": 28, "createdAt": "2019-05-23T22:56:58Z", "updatedAt": "2020-04-23T14:51:52Z", - "listName": "UCMR3", "shortDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants. This list was published on May 2, 2012." }, { "id": 679, "type": "federal", - "label": "WATER: Fourth Unregulated Contaminant Monitoring Rule", "visibility": "PUBLIC", + "label": "WATER: Fourth Unregulated Contaminant Monitoring Rule", "longDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants to be monitored by public water systems (PWSs). The fourth Unregulated Contaminant Monitoring Rule (UCMR 4<\/a>) was published in 2016. UCMR 4 required monitoring for 30 chemical contaminants between 2018 and 2020 using analytical methods developed by EPA, consensus organizations, or both. This monitoring provides a basis for future regulatory actions to protect public health. Note that for this list the terms HAA5, HAA6BR and HAA9 have been expanded to represent a specific set of chemicals.\r\n", + "listName": "UCMR4", "chemicalCount": 35, "createdAt": "2019-05-24T07:47:39Z", "updatedAt": "2020-04-23T15:00:46Z", - "listName": "UCMR4", "shortDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants. This list was published on December 20, 2016." }, { "id": 1351, "type": "federal", - "label": "WATER: Fifth Unregulated Contaminant Monitoring Rule", "visibility": "PUBLIC", + "label": "WATER: Fifth Unregulated Contaminant Monitoring Rule", "longDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants to be monitored by public water systems (PWSs). The fifth Unregulated Contaminant Monitoring Rule (UCMR 5<\/a>) was published in 2021. UCMR 5 requires monitoring for 30 chemical contaminants between 2023 and 2025 using analytical methods developed by EPA, consensus organizations, or both. This monitoring provides a basis for future regulatory actions to protect public health. Note that UCMR 5 will provide new data that is critically needed to improve EPA’s understanding of the frequency that 29 PFAS (and lithium) are found in the nation’s drinking water systems and at what levels. This list was published on December 27, 2021.", + "listName": "UCMR5", "chemicalCount": 30, "createdAt": "2022-01-19T12:31:29Z", "updatedAt": "2022-01-19T12:32:04Z", - "listName": "UCMR5", "shortDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants. This list was published on December 27, 2021." }, { "id": 706, "type": "federal", - "label": "WATER: USGS List of Chemicals ", "visibility": "PUBLIC", + "label": "WATER: USGS List of Chemicals ", "longDescription": "The United States Geological Survey is a scientific agency of the United States government. The scientists of the USGS study the landscape of the United States, its natural resources, and the natural hazards that threaten it. This list of chemicals are in the USGS list of chemicals in water under the \"Parameter Code Definition\" list<\/a>\r\n\r\n", + "listName": "USGSWATER", "chemicalCount": 707, "createdAt": "2019-08-19T23:38:13Z", "updatedAt": "2019-08-19T23:40:14Z", - "listName": "USGSWATER", "shortDescription": "This list of chemicals are in the USGS list of chemicals in water" }, { "id": 1164, "type": "federal", - "label": "WATER: National Recommended Water Quality Criteria Aquatic Life chemical list", "visibility": "PUBLIC", + "label": "WATER: National Recommended Water Quality Criteria Aquatic Life chemical list", "longDescription": "The National Recommended Water Quality Criteria Aquatic Life chemical table contains criteria for aquatic life ambient water quality criteria. Aquatic life criteria for toxic chemicals are the highest concentration of specific pollutants or parameters in water that are not expected to pose a significant risk to the majority of species in a given environment or a narrative description of the desired conditions of a water body being \"free from\" certain negative conditions. The table of values is available at https://www.epa.gov/wqc/national-recommended-water-quality-criteria-aquatic-life-criteria-table<\/a>\r\n", + "listName": "WATERQUALCRIT", "chemicalCount": 49, "createdAt": "2021-05-10T17:18:03Z", "updatedAt": "2021-05-10T17:23:01Z", - "listName": "WATERQUALCRIT", "shortDescription": "The National Recommended Water Quality Criteria Aquatic Life chemical table contains criteria for aquatic life ambient water quality criteria." }, { "id": 1892, "type": "federal", - "label": "LIST: Water Contaminant Information Tool (WCIT)", "visibility": "PUBLIC", + "label": "LIST: Water Contaminant Information Tool (WCIT)", "longDescription": "This list is the list of chemicals contained in the Water Contaminant Information Tool. The Water Contaminant Information Tool (WCIT) is used by the water sector to prepare for, respond to or recover from drinking water and wastewater contamination incidents. WCIT includes comprehensive information about contaminants that could be introduced into a water system following a natural disaster, vandalism, accident or act or terrorism. There are currently over 800 priority contaminants of concern listed in WCIT. The tool is available online here: https://www.epa.gov/waterdata/water-contaminant-information-tool-wcit ", + "listName": "WCIT", "chemicalCount": 795, "createdAt": "2023-12-11T22:20:21Z", "updatedAt": "2023-12-11T23:16:25Z", - "listName": "WCIT", "shortDescription": "List of chemicals contained in the Water Contaminant Information Tool" }, { "id": 631, "type": "federal", - "label": "LIST: WEBWISER emergency responders ", "visibility": "PUBLIC", + "label": "LIST: WEBWISER emergency responders ", "longDescription": "WISER is a system designed to assist emergency responders in hazardous material incidents. WISER provides a wide range of information on hazardous substances, including substance identification support, physical characteristics, human health information, and containment and suppression advice.", + "listName": "WEBWISER", "chemicalCount": 453, "createdAt": "2019-04-13T18:13:00Z", "updatedAt": "2019-04-13T18:23:03Z", - "listName": "WEBWISER", "shortDescription": "WISER is a system designed to assist emergency responders in hazardous material incidents. " }, { "id": 1027, "type": "federal", - "label": "CATEGORY|WIKILIST: Antiseptics from Wikipedia", "visibility": "PUBLIC", + "label": "CATEGORY|WIKILIST: Antiseptics from Wikipedia", "longDescription": "List (109 records) from Wikipedia containing the following:\r\nCategory: Antiseptics\r\nSub-categories: Antiseptics and Disinfectants, Iodine and Microbicides", + "listName": "WIKIANTISEPTICS", "chemicalCount": 102, "createdAt": "2020-10-08T14:24:31Z", "updatedAt": "2020-10-28T08:48:47Z", - "listName": "WIKIANTISEPTICS", "shortDescription": "A list of antimicrobials extracted from the Wikipedia Category page: https://en.wikipedia.org/wiki/Category:Antiseptics" }, { "id": 1025, "type": "federal", - "label": "CATEGORY|WIKILIST: Flavorants from Wikipedia", "visibility": "PUBLIC", + "label": "CATEGORY|WIKILIST: Flavorants from Wikipedia", "longDescription": "List of flavorants from Wikipedia containing names, CAS RN and DTXSIDs\r\n", + "listName": "WIKIFLAVORS", "chemicalCount": 141, "createdAt": "2020-10-05T10:30:27Z", "updatedAt": "2020-10-27T11:13:05Z", - "listName": "WIKIFLAVORS", "shortDescription": "A list of flavorants extracted from the Wikipedia Category page: Wikipedia list<\/a>.\r\n" } ] diff --git a/tests/testthat/chemical/chemical/msready/search/by-dtxcid.R b/tests/testthat/chemical/chemical/msready/search/by-dtxcid.R index 0221c31..6dfccb1 100644 --- a/tests/testthat/chemical/chemical/msready/search/by-dtxcid.R +++ b/tests/testthat/chemical/chemical/msready/search/by-dtxcid.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/msready/search/by-dtxcid/", status_code = 404L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:14:00 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:09 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "bc7d0e92-3532-475c-44ee-4b7331b499b2", + `x-vcap-request-id` = "6365d28f-5933-4b91-67e3-157b34f46ee2", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "zE0U_4y5iHq1YbGHRhMQkbMeX2DSLlqiiVxeUENoZVZ4psSZqPFlPg=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "jvjmrBtLTtd2imwhY9L7WakCWy9j-JL5lThT36DKnigmICnkZgStFQ=="), class = c("insensitive", "list")), all_headers = list(list(status = 404L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:14:00 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:09 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "bc7d0e92-3532-475c-44ee-4b7331b499b2", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "6365d28f-5933-4b91-67e3-157b34f46ee2", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "zE0U_4y5iHq1YbGHRhMQkbMeX2DSLlqiiVxeUENoZVZ4psSZqPFlPg=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "jvjmrBtLTtd2imwhY9L7WakCWy9j-JL5lThT36DKnigmICnkZgStFQ=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -39,7 +39,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/msready/search/by-dtxcid 0x2f, 0x63, 0x68, 0x65, 0x6d, 0x69, 0x63, 0x61, 0x6c, 0x2f, 0x6d, 0x73, 0x72, 0x65, 0x61, 0x64, 0x79, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, 0x64, 0x74, - 0x78, 0x63, 0x69, 0x64, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1716311640, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.4e-05, - connect = 0, pretransfer = 0.000178, starttransfer = 0.261029, - total = 0.261058)), class = "response") + 0x78, 0x63, 0x69, 0x64, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1724876409, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 6.2e-05, + connect = 0, pretransfer = 0.000153, starttransfer = 0.088949, + total = 0.088994)), class = "response") diff --git a/tests/testthat/chemical/chemical/msready/search/by-formula.R b/tests/testthat/chemical/chemical/msready/search/by-formula.R index 5ca416f..22bd989 100644 --- a/tests/testthat/chemical/chemical/msready/search/by-formula.R +++ b/tests/testthat/chemical/chemical/msready/search/by-formula.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/msready/search/by-formula/", status_code = 404L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:13:59 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:09 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "f1b7562a-47eb-4e30-482f-e7d86b70e8d5", + `x-vcap-request-id` = "bdacaa31-2e14-4505-4906-13e81b032ada", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "UnC1-bCbqOuTmA4Lgdz3rRwQIicgDpWPy2DyT-dwT-VctujEPFuETw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "HEHOW8Gyf4EO0GhrNmd2cWW3KuzW5cBShZmmzq7tvbSuzgaaFsgexw=="), class = c("insensitive", "list")), all_headers = list(list(status = 404L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:13:59 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:09 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "f1b7562a-47eb-4e30-482f-e7d86b70e8d5", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "bdacaa31-2e14-4505-4906-13e81b032ada", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "UnC1-bCbqOuTmA4Lgdz3rRwQIicgDpWPy2DyT-dwT-VctujEPFuETw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "HEHOW8Gyf4EO0GhrNmd2cWW3KuzW5cBShZmmzq7tvbSuzgaaFsgexw=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -40,7 +40,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/msready/search/by-formul 0x2f, 0x6d, 0x73, 0x72, 0x65, 0x61, 0x64, 0x79, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, 0x66, 0x6f, 0x72, 0x6d, 0x75, 0x6c, 0x61, 0x2f, 0x22, 0x0a, 0x7d - )), date = structure(1716311639, class = c("POSIXct", "POSIXt" - ), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.1e-05, - connect = 0, pretransfer = 9.9e-05, starttransfer = 0.274123, - total = 0.274165)), class = "response") + )), date = structure(1724876409, class = c("POSIXct", "POSIXt" + ), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.5e-05, + connect = 0, pretransfer = 9.3e-05, starttransfer = 0.096105, + total = 0.096131)), class = "response") diff --git a/tests/testthat/chemical/chemical/property/search/by-dtxsid.R b/tests/testthat/chemical/chemical/property/search/by-dtxsid.R index cf7a901..ab914b4 100644 --- a/tests/testthat/chemical/chemical/property/search/by-dtxsid.R +++ b/tests/testthat/chemical/chemical/property/search/by-dtxsid.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/property/search/by-dtxsid/", status_code = 405L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:13:53 GMT", allow = "POST", + date = "Wed, 28 Aug 2024 20:19:57 GMT", allow = "POST", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "3be861d2-3246-48e9-4261-1c640f0e8e5f", + `x-vcap-request-id` = "728003c5-c7ab-455e-75fd-afeb47cb7386", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "Q51rU61Aiu-Zwb1IR1Fb_hJXelpEqgDllJdQJleSvqGbAUCyJUSVrQ=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "urR3DCpIVc7hL9CDTwJrvZGVEssjXVWiLCupXvGevPJVdSiwhKjPZw=="), class = c("insensitive", "list")), all_headers = list(list(status = 405L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:13:53 GMT", allow = "POST", + date = "Wed, 28 Aug 2024 20:19:57 GMT", allow = "POST", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "3be861d2-3246-48e9-4261-1c640f0e8e5f", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "728003c5-c7ab-455e-75fd-afeb47cb7386", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "Q51rU61Aiu-Zwb1IR1Fb_hJXelpEqgDllJdQJleSvqGbAUCyJUSVrQ=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "urR3DCpIVc7hL9CDTwJrvZGVEssjXVWiLCupXvGevPJVdSiwhKjPZw=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -38,7 +38,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/property/search/by-dtxsi 0x6d, 0x69, 0x63, 0x61, 0x6c, 0x2f, 0x70, 0x72, 0x6f, 0x70, 0x65, 0x72, 0x74, 0x79, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, 0x64, 0x74, 0x78, 0x73, 0x69, - 0x64, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1716311633, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4e-05, - connect = 0, pretransfer = 0.000182, starttransfer = 0.250202, - total = 0.250239)), class = "response") + 0x64, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1724876397, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.5e-05, + connect = 0, pretransfer = 0.000129, starttransfer = 0.219416, + total = 0.21945)), class = "response") diff --git a/tests/testthat/chemical/chemical/property/search/by-dtxsid/DTXSID7020182-f7c7b7.json b/tests/testthat/chemical/chemical/property/search/by-dtxsid/DTXSID7020182-f7c7b7.json index d2814e6..5181048 100644 --- a/tests/testthat/chemical/chemical/property/search/by-dtxsid/DTXSID7020182-f7c7b7.json +++ b/tests/testthat/chemical/chemical/property/search/by-dtxsid/DTXSID7020182-f7c7b7.json @@ -5,11 +5,11 @@ "id": 17625124, "source": "TEST", "description": "The Toxicity Estimation Software Tool (TEST)<\/a> is an EPA software application developed to allow users to easily estimate the toxicity of chemicals using Quantitative Structure Activity Relationships (QSARs) methodologies.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "boiling-point" + "propertyId": "boiling-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Boiling Point", @@ -17,11 +17,11 @@ "id": 24535094, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "boiling-point" + "propertyId": "boiling-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Boiling Point", @@ -29,11 +29,11 @@ "id": 2839350, "source": "EPISUITE", "description": "EPISUITE Estimation Programs Interface Suite™<\/a> is a Windows®-based suite of physical/chemical property and environmental fate estimation programs developed by EPA’s and Syracuse Research Corp.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "boiling-point" + "propertyId": "boiling-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Boiling Point", @@ -41,11 +41,11 @@ "id": 7128511, "source": "OPERA", "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "boiling-point" + "propertyId": "boiling-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Density", @@ -53,11 +53,11 @@ "id": 7708199, "source": "TEST", "description": "The Toxicity Estimation Software Tool (TEST)<\/a> is an EPA software application developed to allow users to easily estimate the toxicity of chemicals using Quantitative Structure Activity Relationships (QSARs) methodologies.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "g/cm^3", - "propertyId": "density" + "propertyId": "density", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Density", @@ -65,11 +65,11 @@ "id": 17489022, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "g/cm^3", - "propertyId": "density" + "propertyId": "density", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Flash Point", @@ -77,11 +77,11 @@ "id": 4273987, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "flash-point" + "propertyId": "flash-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Flash Point", @@ -89,11 +89,11 @@ "id": 10927911, "source": "TEST", "description": "The Toxicity Estimation Software Tool (TEST)<\/a> is an EPA software application developed to allow users to easily estimate the toxicity of chemicals using Quantitative Structure Activity Relationships (QSARs) methodologies.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "flash-point" + "propertyId": "flash-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Henry's Law", @@ -101,11 +101,11 @@ "id": 15303695, "source": "OPERA", "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "atm-m3/mole", - "propertyId": "henrys-law" + "propertyId": "henrys-law", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Index of Refraction", @@ -113,11 +113,11 @@ "id": 6118052, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": null, - "propertyId": "index-of-refraction" + "propertyId": "index-of-refraction", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "LogKoa: Octanol-Air", @@ -125,11 +125,11 @@ "id": 8180098, "source": "OPERA", "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": null, - "propertyId": "logkoa-octanol-air" + "propertyId": "logkoa-octanol-air", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "LogKow: Octanol-Water", @@ -137,11 +137,11 @@ "id": 4464849, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": null, - "propertyId": "logkow-octanol-water" + "propertyId": "logkow-octanol-water", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "LogKow: Octanol-Water", @@ -149,11 +149,11 @@ "id": 4024313, "source": "EPISUITE", "description": "EPISUITE Estimation Programs Interface Suite™<\/a> is a Windows®-based suite of physical/chemical property and environmental fate estimation programs developed by EPA’s and Syracuse Research Corp.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": null, - "propertyId": "logkow-octanol-water" + "propertyId": "logkow-octanol-water", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "LogKow: Octanol-Water", @@ -161,11 +161,11 @@ "id": 1798489, "source": "OPERA", "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": null, - "propertyId": "logkow-octanol-water" + "propertyId": "logkow-octanol-water", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "LogKow: Octanol-Water", @@ -173,11 +173,11 @@ "id": 1407811, "source": "ACD/Labs Consensus", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": null, - "propertyId": "logkow-octanol-water" + "propertyId": "logkow-octanol-water", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Melting Point", @@ -185,11 +185,11 @@ "id": 358487, "source": "EPISUITE", "description": "EPISUITE Estimation Programs Interface Suite™<\/a> is a Windows®-based suite of physical/chemical property and environmental fate estimation programs developed by EPA’s and Syracuse Research Corp.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "melting-point" + "propertyId": "melting-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Melting Point", @@ -197,11 +197,11 @@ "id": 11414108, "source": "OPERA", "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "melting-point" + "propertyId": "melting-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Melting Point", @@ -209,11 +209,11 @@ "id": 20933496, "source": "TEST", "description": "The Toxicity Estimation Software Tool (TEST)<\/a> is an EPA software application developed to allow users to easily estimate the toxicity of chemicals using Quantitative Structure Activity Relationships (QSARs) methodologies.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "melting-point" + "propertyId": "melting-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Molar Refractivity", @@ -221,11 +221,11 @@ "id": 23096206, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "cm^3", - "propertyId": "molar-refractivity" + "propertyId": "molar-refractivity", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Molar Volume", @@ -233,11 +233,11 @@ "id": 23694637, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "cm^3", - "propertyId": "molar-volume" + "propertyId": "molar-volume", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "pKa Basic Apparent", @@ -245,11 +245,11 @@ "id": 12088318, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": null, - "propertyId": "pka-basic-apparent" + "propertyId": "pka-basic-apparent", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Polarizability", @@ -257,11 +257,11 @@ "id": 15310776, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "Å^3", - "propertyId": "polarizability" + "propertyId": "polarizability", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Surface Tension", @@ -269,11 +269,11 @@ "id": 21753712, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "dyn/cm", - "propertyId": "surface-tension" + "propertyId": "surface-tension", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Thermal Conductivity", @@ -281,11 +281,11 @@ "id": 1232347, "source": "TEST", "description": "The Toxicity Estimation Software Tool (TEST)<\/a> is an EPA software application developed to allow users to easily estimate the toxicity of chemicals using Quantitative Structure Activity Relationships (QSARs) methodologies.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "mW/(m*K)", - "propertyId": "thermal-conductivity" + "propertyId": "thermal-conductivity", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Vapor Pressure", @@ -293,11 +293,11 @@ "id": 10420105, "source": "OPERA", "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "mmHg", - "propertyId": "vapor-pressure" + "propertyId": "vapor-pressure", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Vapor Pressure", @@ -305,11 +305,11 @@ "id": 14403037, "source": "TEST", "description": "The Toxicity Estimation Software Tool (TEST)<\/a> is an EPA software application developed to allow users to easily estimate the toxicity of chemicals using Quantitative Structure Activity Relationships (QSARs) methodologies.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "mmHg", - "propertyId": "vapor-pressure" + "propertyId": "vapor-pressure", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Vapor Pressure", @@ -317,11 +317,11 @@ "id": 7757072, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "mmHg", - "propertyId": "vapor-pressure" + "propertyId": "vapor-pressure", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Viscosity", @@ -329,11 +329,11 @@ "id": 9754407, "source": "TEST", "description": "The Toxicity Estimation Software Tool (TEST)<\/a> is an EPA software application developed to allow users to easily estimate the toxicity of chemicals using Quantitative Structure Activity Relationships (QSARs) methodologies.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "cP", - "propertyId": "viscosity" + "propertyId": "viscosity", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Water Solubility", @@ -341,11 +341,11 @@ "id": 7384584, "source": "TEST", "description": "The Toxicity Estimation Software Tool (TEST)<\/a> is an EPA software application developed to allow users to easily estimate the toxicity of chemicals using Quantitative Structure Activity Relationships (QSARs) methodologies.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "mol/L", - "propertyId": "water-solubility" + "propertyId": "water-solubility", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Water Solubility", @@ -353,11 +353,11 @@ "id": 16019898, "source": "EPISUITE", "description": "EPISUITE Estimation Programs Interface Suite™<\/a> is a Windows®-based suite of physical/chemical property and environmental fate estimation programs developed by EPA’s and Syracuse Research Corp.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "mol/L", - "propertyId": "water-solubility" + "propertyId": "water-solubility", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Water Solubility", @@ -365,11 +365,11 @@ "id": 9457408, "source": "OPERA", "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "mol/L", - "propertyId": "water-solubility" + "propertyId": "water-solubility", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Water Solubility", @@ -377,10 +377,10 @@ "id": 9626115, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "mol/L", - "propertyId": "water-solubility" + "propertyId": "water-solubility", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" } ] diff --git a/tests/testthat/chemical/chemical/property/search/by-dtxsid/DTXSID7020182.json b/tests/testthat/chemical/chemical/property/search/by-dtxsid/DTXSID7020182.json index e304900..b78ba30 100644 --- a/tests/testthat/chemical/chemical/property/search/by-dtxsid/DTXSID7020182.json +++ b/tests/testthat/chemical/chemical/property/search/by-dtxsid/DTXSID7020182.json @@ -5,11 +5,11 @@ "id": 6255, "source": "Jean-Claude Bradley Open Melting Point Dataset", "description": "Jean-Claude Bradley's Legacy Dataset of Open Melting Points. Website: http://dx.doi.org/10.6084/m9.figshare.1031637<\/a>", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "experimental", "unit": "°C", - "propertyId": "melting-point" + "propertyId": "melting-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Melting Point", @@ -17,11 +17,11 @@ "id": 358487, "source": "EPISUITE", "description": "EPISUITE Estimation Programs Interface Suite™<\/a> is a Windows®-based suite of physical/chemical property and environmental fate estimation programs developed by EPA’s and Syracuse Research Corp.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "melting-point" + "propertyId": "melting-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Thermal Conductivity", @@ -29,11 +29,11 @@ "id": 1232347, "source": "TEST", "description": "The Toxicity Estimation Software Tool (TEST)<\/a> is an EPA software application developed to allow users to easily estimate the toxicity of chemicals using Quantitative Structure Activity Relationships (QSARs) methodologies.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "mW/(m*K)", - "propertyId": "thermal-conductivity" + "propertyId": "thermal-conductivity", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Water Solubility", @@ -41,11 +41,11 @@ "id": 1327576, "source": "PhysPropNCCT", "description": "The PHYSPROP data sets are the publicly available data files underpinning the EPISuiteTM prediction models. The data were curated by NCCT using a combination of manual and automated processing routines with only the highest quality data reported.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "experimental", "unit": "mol/L", - "propertyId": "water-solubility" + "propertyId": "water-solubility", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Water Solubility", @@ -53,11 +53,11 @@ "id": 1384014, "source": "Kovdienko, et. al. Molecular informatics 29.5 (2010): 394-406.", "description": "Kovdienko, Nikolay A., et al. \"Application of random forest and multiple linear regression techniques to QSPR prediction of an aqueous solubility for military compounds.\" Molecular informatics 29.5 (2010): 394-406. <\/a>", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "experimental", "unit": "mol/L", - "propertyId": "water-solubility" + "propertyId": "water-solubility", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "LogKow: Octanol-Water", @@ -65,11 +65,11 @@ "id": 1407811, "source": "ACD/Labs Consensus", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": null, - "propertyId": "logkow-octanol-water" + "propertyId": "logkow-octanol-water", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "LogKow: Octanol-Water", @@ -77,11 +77,11 @@ "id": 1798489, "source": "OPERA", "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": null, - "propertyId": "logkow-octanol-water" + "propertyId": "logkow-octanol-water", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Boiling Point", @@ -89,11 +89,11 @@ "id": 2839350, "source": "EPISUITE", "description": "EPISUITE Estimation Programs Interface Suite™<\/a> is a Windows®-based suite of physical/chemical property and environmental fate estimation programs developed by EPA’s and Syracuse Research Corp.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "boiling-point" + "propertyId": "boiling-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "LogKow: Octanol-Water", @@ -101,11 +101,11 @@ "id": 3558846, "source": "PhysPropNCCT", "description": "The PHYSPROP data sets are the publicly available data files underpinning the EPISuiteTM prediction models. The data were curated by NCCT using a combination of manual and automated processing routines with only the highest quality data reported.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "experimental", "unit": null, - "propertyId": "logkow-octanol-water" + "propertyId": "logkow-octanol-water", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "LogKow: Octanol-Water", @@ -113,11 +113,11 @@ "id": 4024313, "source": "EPISUITE", "description": "EPISUITE Estimation Programs Interface Suite™<\/a> is a Windows®-based suite of physical/chemical property and environmental fate estimation programs developed by EPA’s and Syracuse Research Corp.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": null, - "propertyId": "logkow-octanol-water" + "propertyId": "logkow-octanol-water", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Flash Point", @@ -125,11 +125,11 @@ "id": 4273987, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "flash-point" + "propertyId": "flash-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "LogKow: Octanol-Water", @@ -137,11 +137,11 @@ "id": 4464849, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": null, - "propertyId": "logkow-octanol-water" + "propertyId": "logkow-octanol-water", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Melting Point", @@ -149,11 +149,11 @@ "id": 4936018, "source": "Alfa Aesar (Chemical company)", "description": "Alfa Aesar is a leading international manufacturer, supplier and distributor of fine chemicals, metals, and materials. Company website: https://www.alfa.com/<\/a>", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "experimental", "unit": "°C", - "propertyId": "melting-point" + "propertyId": "melting-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Index of Refraction", @@ -161,11 +161,11 @@ "id": 6118052, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": null, - "propertyId": "index-of-refraction" + "propertyId": "index-of-refraction", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Boiling Point", @@ -173,11 +173,11 @@ "id": 7128511, "source": "OPERA", "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "boiling-point" + "propertyId": "boiling-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Water Solubility", @@ -185,11 +185,11 @@ "id": 7384584, "source": "TEST", "description": "The Toxicity Estimation Software Tool (TEST)<\/a> is an EPA software application developed to allow users to easily estimate the toxicity of chemicals using Quantitative Structure Activity Relationships (QSARs) methodologies.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "mol/L", - "propertyId": "water-solubility" + "propertyId": "water-solubility", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Density", @@ -197,11 +197,11 @@ "id": 7708199, "source": "TEST", "description": "The Toxicity Estimation Software Tool (TEST)<\/a> is an EPA software application developed to allow users to easily estimate the toxicity of chemicals using Quantitative Structure Activity Relationships (QSARs) methodologies.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "g/cm^3", - "propertyId": "density" + "propertyId": "density", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Vapor Pressure", @@ -209,11 +209,11 @@ "id": 7757072, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "mmHg", - "propertyId": "vapor-pressure" + "propertyId": "vapor-pressure", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "LogKoa: Octanol-Air", @@ -221,11 +221,11 @@ "id": 8180098, "source": "OPERA", "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": null, - "propertyId": "logkoa-octanol-air" + "propertyId": "logkoa-octanol-air", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Water Solubility", @@ -233,11 +233,11 @@ "id": 9457408, "source": "OPERA", "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "mol/L", - "propertyId": "water-solubility" + "propertyId": "water-solubility", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Water Solubility", @@ -245,11 +245,11 @@ "id": 9626115, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "mol/L", - "propertyId": "water-solubility" + "propertyId": "water-solubility", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Viscosity", @@ -257,11 +257,11 @@ "id": 9754407, "source": "TEST", "description": "The Toxicity Estimation Software Tool (TEST)<\/a> is an EPA software application developed to allow users to easily estimate the toxicity of chemicals using Quantitative Structure Activity Relationships (QSARs) methodologies.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "cP", - "propertyId": "viscosity" + "propertyId": "viscosity", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Vapor Pressure", @@ -269,11 +269,11 @@ "id": 10420105, "source": "OPERA", "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "mmHg", - "propertyId": "vapor-pressure" + "propertyId": "vapor-pressure", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Flash Point", @@ -281,11 +281,11 @@ "id": 10927911, "source": "TEST", "description": "The Toxicity Estimation Software Tool (TEST)<\/a> is an EPA software application developed to allow users to easily estimate the toxicity of chemicals using Quantitative Structure Activity Relationships (QSARs) methodologies.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "flash-point" + "propertyId": "flash-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Melting Point", @@ -293,11 +293,11 @@ "id": 11414108, "source": "OPERA", "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "melting-point" + "propertyId": "melting-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "pKa Basic Apparent", @@ -305,11 +305,11 @@ "id": 12088318, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": null, - "propertyId": "pka-basic-apparent" + "propertyId": "pka-basic-apparent", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Melting Point", @@ -317,11 +317,11 @@ "id": 13408147, "source": "Jean-Claude Bradley Open Melting Point Dataset", "description": "Jean-Claude Bradley's Legacy Dataset of Open Melting Points. Website: http://dx.doi.org/10.6084/m9.figshare.1031637<\/a>", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "experimental", "unit": "°C", - "propertyId": "melting-point" + "propertyId": "melting-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Vapor Pressure", @@ -329,11 +329,11 @@ "id": 14403037, "source": "TEST", "description": "The Toxicity Estimation Software Tool (TEST)<\/a> is an EPA software application developed to allow users to easily estimate the toxicity of chemicals using Quantitative Structure Activity Relationships (QSARs) methodologies.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "mmHg", - "propertyId": "vapor-pressure" + "propertyId": "vapor-pressure", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Melting Point", @@ -341,11 +341,11 @@ "id": 14575465, "source": "Tokyo Chemical Industry (Chemical company)", "description": "Tokyo Chemical Industry Co. Ltd. (TCI) is a manufacturer of research chemicals and produces more than 23,000 mainly organic chemicals. Company website: http://www.tcichemicals.com/<\/a>", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "experimental", "unit": "°C", - "propertyId": "melting-point" + "propertyId": "melting-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Henry's Law", @@ -353,11 +353,11 @@ "id": 15303695, "source": "OPERA", "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "atm-m3/mole", - "propertyId": "henrys-law" + "propertyId": "henrys-law", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Polarizability", @@ -365,11 +365,11 @@ "id": 15310776, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "Å^3", - "propertyId": "polarizability" + "propertyId": "polarizability", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Water Solubility", @@ -377,11 +377,11 @@ "id": 16019898, "source": "EPISUITE", "description": "EPISUITE Estimation Programs Interface Suite™<\/a> is a Windows®-based suite of physical/chemical property and environmental fate estimation programs developed by EPA’s and Syracuse Research Corp.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "mol/L", - "propertyId": "water-solubility" + "propertyId": "water-solubility", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Melting Point", @@ -389,11 +389,11 @@ "id": 17055770, "source": "PhysPropNCCT", "description": "The PHYSPROP data sets are the publicly available data files underpinning the EPISuiteTM prediction models. The data were curated by NCCT using a combination of manual and automated processing routines with only the highest quality data reported.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "experimental", "unit": "°C", - "propertyId": "melting-point" + "propertyId": "melting-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Density", @@ -401,11 +401,11 @@ "id": 17489022, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "g/cm^3", - "propertyId": "density" + "propertyId": "density", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Boiling Point", @@ -413,11 +413,11 @@ "id": 17625124, "source": "TEST", "description": "The Toxicity Estimation Software Tool (TEST)<\/a> is an EPA software application developed to allow users to easily estimate the toxicity of chemicals using Quantitative Structure Activity Relationships (QSARs) methodologies.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "boiling-point" + "propertyId": "boiling-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Melting Point", @@ -425,11 +425,11 @@ "id": 18441164, "source": "Merck Millipore (Chemical company)", "description": "Merck Millipore Merck Millipore offers tools and technologies to support the research, development and production of biotechnology and pharmaceutical drug therapies.Company website: http://www.merckmillipore.com/<\/a>", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "experimental", "unit": "°C", - "propertyId": "melting-point" + "propertyId": "melting-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Water Solubility", @@ -437,11 +437,11 @@ "id": 20799044, "source": "Tetko et al. J. Chem. Inf. and Comp. Sci. 41.6 (2001): 1488-1493", "description": "Tetko, Igor V., et al. \"Estimation of aqueous solubility of chemical compounds using E-state indices.\" . J. Chem. Inf. and Comp. Sci. 41.6 (2001): 1488-1493<\/a>\r\n\r\n\r\n", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "experimental", "unit": "mol/L", - "propertyId": "water-solubility" + "propertyId": "water-solubility", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Melting Point", @@ -449,11 +449,11 @@ "id": 20933496, "source": "TEST", "description": "The Toxicity Estimation Software Tool (TEST)<\/a> is an EPA software application developed to allow users to easily estimate the toxicity of chemicals using Quantitative Structure Activity Relationships (QSARs) methodologies.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "melting-point" + "propertyId": "melting-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Surface Tension", @@ -461,11 +461,11 @@ "id": 21753712, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "dyn/cm", - "propertyId": "surface-tension" + "propertyId": "surface-tension", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Molar Refractivity", @@ -473,11 +473,11 @@ "id": 23096206, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "cm^3", - "propertyId": "molar-refractivity" + "propertyId": "molar-refractivity", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Molar Volume", @@ -485,11 +485,11 @@ "id": 23694637, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "cm^3", - "propertyId": "molar-volume" + "propertyId": "molar-volume", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Boiling Point", @@ -497,11 +497,11 @@ "id": 24053642, "source": "Alfa Aesar (Chemical company)", "description": "Alfa Aesar is a leading international manufacturer, supplier and distributor of fine chemicals, metals, and materials. Company website: https://www.alfa.com/<\/a>", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "experimental", "unit": "°C", - "propertyId": "boiling-point" + "propertyId": "boiling-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Boiling Point", @@ -509,10 +509,10 @@ "id": 24535094, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "boiling-point" + "propertyId": "boiling-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" } ] diff --git a/tests/testthat/chemical/chemical/search/contain/Bisphenol%20A.json b/tests/testthat/chemical/chemical/search/contain/Bisphenol%20A.json index 10a44b4..0233fdc 100644 --- a/tests/testthat/chemical/chemical/search/contain/Bisphenol%20A.json +++ b/tests/testthat/chemical/chemical/search/contain/Bisphenol%20A.json @@ -1,7862 +1,7862 @@ [ { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and maleic anhydride, compds. with 2-(dimethylamino)ethanol", "dtxsid": "DTXSID00100170", "dtxcid": null, "casrn": "68605-53-8", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and maleic anhydride, compds. with 2-(dimethylamino)ethanol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and maleic anhydride, compds. with 2-(dimethylamino)ethanol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, rosin and vegetable-oil fatty acids", "dtxsid": "DTXSID00100175", "dtxcid": null, "casrn": "68605-58-3", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, rosin and vegetable-oil fatty acids", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, rosin and vegetable-oil fatty acids", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, polymer with bisphenol A, p-butylphenol, formaldehyde, glycerol and tung oil", "dtxsid": "DTXSID00100317", "dtxcid": null, "casrn": "68607-47-6", "preferredName": "Rosin, polymer with bisphenol A, p-butylphenol, formaldehyde, glycerol and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, polymer with bisphenol A, p-butylphenol, formaldehyde, glycerol and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, rosin and tall-oil fatty acids", "dtxsid": "DTXSID00101026", "dtxcid": null, "casrn": "68814-72-2", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, rosin and tall-oil fatty acids", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, rosin and tall-oil fatty acids", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenoic acid, polymers with acrylonitrile, bisphenol A, butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated polybutadiene, epichlorohydrin, 4,4'-(1-methylethylidene)bis[2,6-dibromophenol] and 4,4'-sulfonylbis[benzenamine]", "dtxsid": "DTXSID001014098", "dtxcid": null, "casrn": "105839-66-5", "preferredName": "2-Propenoic acid, polymers with acrylonitrile, bisphenol A, butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated polybutadiene, epichlorohydrin, 4,4'-(1-methylethylidene)bis[2,6-dibromophenol] and 4,4'-sulfonylbis[benzenamine]", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenoic acid, polymers with acrylonitrile, bisphenol A, butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated polybutadiene, epichlorohydrin, 4,4'-(1-methylethylidene)bis[2,6-dibromophenol] and 4,4'-sulfonylbis[benzenamine]", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "3,3',5,5'-Tetrabromobisphenol A bispropionate", "dtxsid": "DTXSID001016668", "dtxcid": "DTXCID001474864", "casrn": "37419-42-4", "preferredName": "3,3',5,5'-Tetrabromobisphenol A bispropionate", "hasStructureImage": 1, "smiles": "CCC(=O)OC1=C(Br)C=C(C=C1Br)C(C)(C)C1=CC(Br)=C(OC(=O)CC)C(Br)=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "3,3',5,5'-Tetrabromobisphenol A bispropionate", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, epichlorohydrin, pentaerythritol and tung oil", "dtxsid": "DTXSID00102038", "dtxcid": null, "casrn": "68938-39-6", "preferredName": "Linseed oil, polymer with bisphenol A, epichlorohydrin, pentaerythritol and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, epichlorohydrin, pentaerythritol and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, diethylenetriamine, epichlorohydrin and tetraethylenepentamine", "dtxsid": "DTXSID00102093", "dtxcid": null, "casrn": "68951-85-9", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, diethylenetriamine, epichlorohydrin and tetraethylenepentamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, diethylenetriamine, epichlorohydrin and tetraethylenepentamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, polymer with bis(1,1-dimethylethyl)phenol, bisphenol A, formaldehyde, phenol and tung oil", "dtxsid": "DTXSID00102139", "dtxcid": null, "casrn": "68952-50-1", "preferredName": "Rosin, polymer with bis(1,1-dimethylethyl)phenol, bisphenol A, formaldehyde, phenol and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, polymer with bis(1,1-dimethylethyl)phenol, bisphenol A, formaldehyde, phenol and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A diglycidyl ether, glycerol, isophthalic acid, linseed oil, pentaerythritol, safflower oil, tall oil and TDI", "dtxsid": "DTXSID00102634", "dtxcid": null, "casrn": "68989-85-5", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A diglycidyl ether, glycerol, isophthalic acid, linseed oil, pentaerythritol, safflower oil, tall oil and TDI", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A diglycidyl ether, glycerol, isophthalic acid, linseed oil, pentaerythritol, safflower oil, tall oil and TDI", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymd., polymer with bisphenol A, p-tert-butylphenol, formaldehyde and tung oil", "dtxsid": "DTXSID00102710", "dtxcid": null, "casrn": "68991-09-3", "preferredName": "Linseed oil, polymd., polymer with bisphenol A, p-tert-butylphenol, formaldehyde and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymd., polymer with bisphenol A, p-tert-butylphenol, formaldehyde and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A-epichlorohydrin-isophoronediamine copolymer", "dtxsid": "DTXSID001036258", "dtxcid": null, "casrn": "38294-64-3", "preferredName": "Bisphenol A-epichlorohydrin-isophoronediamine copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A-epichlorohydrin-isophoronediamine copolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, soya, polymers with bisphenol A, epichlorohydrin, 2-oxepanone and polyethylene glycol", "dtxsid": "DTXSID00104375", "dtxcid": null, "casrn": "72319-02-9", "preferredName": "Fatty acids, soya, polymers with bisphenol A, epichlorohydrin, 2-oxepanone and polyethylene glycol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, soya, polymers with bisphenol A, epichlorohydrin, 2-oxepanone and polyethylene glycol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Soybean oil, polymer with bisphenol A, p-tert-butylphenol and formaldehyde", "dtxsid": "DTXSID00105084", "dtxcid": null, "casrn": "79770-98-2", "preferredName": "Soybean oil, polymer with bisphenol A, p-tert-butylphenol and formaldehyde", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Soybean oil, polymer with bisphenol A, p-tert-butylphenol and formaldehyde", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A and epichlorohydrin, reaction products with 4-methylmorpholine, acetates", "dtxsid": "DTXSID00105488", "dtxcid": null, "casrn": "95649-01-7", "preferredName": "Fatty acids, linseed-oil, polymers with bisphenol A and epichlorohydrin, reaction products with 4-methylmorpholine, acetates", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A and epichlorohydrin, reaction products with 4-methylmorpholine, acetates", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, dehydrated castor oil, formaldehyde, glycerol, maleic anhydride, pentaerythritol, phthalic anhydride, rosin and tung oil", "dtxsid": "DTXSID00106531", "dtxcid": null, "casrn": "141614-16-6", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, dehydrated castor oil, formaldehyde, glycerol, maleic anhydride, pentaerythritol, phthalic anhydride, rosin and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, dehydrated castor oil, formaldehyde, glycerol, maleic anhydride, pentaerythritol, phthalic anhydride, rosin and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, linoleic acid, octadecadienoic acid and polymd. rosin", "dtxsid": "DTXSID00107109", "dtxcid": null, "casrn": "169107-18-0", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, linoleic acid, octadecadienoic acid and polymd. rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, linoleic acid, octadecadienoic acid and polymd. rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, soya, reaction products with bisphenol A and epichlorohydrin", "dtxsid": "DTXSID001073341", "dtxcid": null, "casrn": "1187872-76-9", "preferredName": "Fatty acids, soya, reaction products with bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, soya, reaction products with bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, dicyclopentadiene, formaldehyde, glycerol, indene, methylstyrene, phenol, polymd. linseed oil, rosin, styrene, tung oil and vinyltoluene", "dtxsid": "DTXSID00107341", "dtxcid": null, "casrn": "192888-61-2", "preferredName": "Linseed oil, polymer with bisphenol A, dicyclopentadiene, formaldehyde, glycerol, indene, methylstyrene, phenol, polymd. linseed oil, rosin, styrene, tung oil and vinyltoluene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, dicyclopentadiene, formaldehyde, glycerol, indene, methylstyrene, phenol, polymd. linseed oil, rosin, styrene, tung oil and vinyltoluene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, reaction products with bisphenol A-epichlorohydrin polymer and glycidyl neodecanoate", "dtxsid": "DTXSID001077262", "dtxcid": null, "casrn": "1179913-28-0", "preferredName": "Fatty acids, linseed-oil, reaction products with bisphenol A-epichlorohydrin polymer and glycidyl neodecanoate", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, reaction products with bisphenol A-epichlorohydrin polymer and glycidyl neodecanoate", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Phenol, 2-methyl-, reaction products with bisphenol A-epichlorohydrin polymer and C,C,C-trimethyl-1,6-hexanediamine", "dtxsid": "DTXSID001077612", "dtxcid": null, "casrn": "161308-05-0", "preferredName": "Phenol, 2-methyl-, reaction products with bisphenol A-epichlorohydrin polymer and C,C,C-trimethyl-1,6-hexanediamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Phenol, 2-methyl-, reaction products with bisphenol A-epichlorohydrin polymer and C,C,C-trimethyl-1,6-hexanediamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "4,7-Methanoisobenzofuran-1,3-dione, 3a,4,7,7a-tetrahydromethyl-, reaction products with bisphenol A and methylenebis[phenol]", "dtxsid": "DTXSID001078153", "dtxcid": null, "casrn": "90431-79-1", "preferredName": "4,7-Methanoisobenzofuran-1,3-dione, 3a,4,7,7a-tetrahydromethyl-, reaction products with bisphenol A and methylenebis[phenol]", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "4,7-Methanoisobenzofuran-1,3-dione, 3a,4,7,7a-tetrahydromethyl-, reaction products with bisphenol A and methylenebis[phenol]", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C16-18 and C18-unsatd., branched and linear, polymers with bisphenol A, epichlorohydrin, tetraethylenepentamine and triethylenetetramine", "dtxsid": "DTXSID001079163", "dtxcid": null, "casrn": "157707-77-2", "preferredName": "Fatty acids, C16-18 and C18-unsatd., branched and linear, polymers with bisphenol A, epichlorohydrin, tetraethylenepentamine and triethylenetetramine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C16-18 and C18-unsatd., branched and linear, polymers with bisphenol A, epichlorohydrin, tetraethylenepentamine and triethylenetetramine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Phenol, 2,4,6-tris[(dimethylamino)methyl]-, reaction products with 5-amino-1,3,3-trimethylcyclohexanemethanamine and bisphenol A-epichlorohydrin polymer", "dtxsid": "DTXSID001079268", "dtxcid": null, "casrn": "1075253-94-9", "preferredName": "Phenol, 2,4,6-tris[(dimethylamino)methyl]-, reaction products with 5-amino-1,3,3-trimethylcyclohexanemethanamine and bisphenol A-epichlorohydrin polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Phenol, 2,4,6-tris[(dimethylamino)methyl]-, reaction products with 5-amino-1,3,3-trimethylcyclohexanemethanamine and bisphenol A-epichlorohydrin polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, vegetable-oil, polymers with bisphenol A, epichlorohydrin, isophthalic acid, 4,4′-(1-methylethylidene)bis[cyclohexanol] and trimellitic anhydride", "dtxsid": "DTXSID001079456", "dtxcid": null, "casrn": "71243-61-3", "preferredName": "Fatty acids, vegetable-oil, polymers with bisphenol A, epichlorohydrin, isophthalic acid, 4,4′-(1-methylethylidene)bis[cyclohexanol] and trimellitic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, vegetable-oil, polymers with bisphenol A, epichlorohydrin, isophthalic acid, 4,4′-(1-methylethylidene)bis[cyclohexanol] and trimellitic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, formaldehyde and pentaethylenehexamine", "dtxsid": "DTXSID001080017", "dtxcid": null, "casrn": "91745-94-7", "preferredName": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, formaldehyde and pentaethylenehexamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, formaldehyde and pentaethylenehexamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, 2-hydroxyethyl methacrylate and pentaethylenehexamine", "dtxsid": "DTXSID001080267", "dtxcid": null, "casrn": "91722-32-6", "preferredName": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, 2-hydroxyethyl methacrylate and pentaethylenehexamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, 2-hydroxyethyl methacrylate and pentaethylenehexamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, 2-(diethylamino)ethyl methacrylate and pentaethylenehexamine", "dtxsid": "DTXSID001080398", "dtxcid": null, "casrn": "91722-76-8", "preferredName": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, 2-(diethylamino)ethyl methacrylate and pentaethylenehexamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, 2-(diethylamino)ethyl methacrylate and pentaethylenehexamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with 2-[(2-aminoethyl)amino]ethanol, bisphenol A, 5(or 6)-carboxy-4-hexyl-2-cyclohexene-1-octanoic acid, epichlorohydrin, pentaethylenehexamine and tall-oil fatty acids, formates (salts)", "dtxsid": "DTXSID001080700", "dtxcid": null, "casrn": "162260-08-4", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with 2-[(2-aminoethyl)amino]ethanol, bisphenol A, 5(or 6)-carboxy-4-hexyl-2-cyclohexene-1-octanoic acid, epichlorohydrin, pentaethylenehexamine and tall-oil fatty acids, formates (salts)", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with 2-[(2-aminoethyl)amino]ethanol, bisphenol A, 5(or 6)-carboxy-4-hexyl-2-cyclohexene-1-octanoic acid, epichlorohydrin, pentaethylenehexamine and tall-oil fatty acids, formates (salts)", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "9,12-Octadecadienoic acid (9Z,12Z)-, dimer, polymer with bisphenol A, carboxy-terminated acrylonitrile-butadiene polymer and epichlorohydrin", "dtxsid": "DTXSID001083992", "dtxcid": null, "casrn": "68442-10-4", "preferredName": "9,12-Octadecadienoic acid (9Z,12Z)-, dimer, polymer with bisphenol A, carboxy-terminated acrylonitrile-butadiene polymer and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "9,12-Octadecadienoic acid (9Z,12Z)-, dimer, polymer with bisphenol A, carboxy-terminated acrylonitrile-butadiene polymer and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Cashew, nutshell liq., polymer with bisphenol A diglycidyl ether, ethylenediamine and formaldehyde, reaction products with N1,N1-diethyl-1,3-propanediamine", "dtxsid": "DTXSID00108752", "dtxcid": null, "casrn": "1361538-92-2", "preferredName": "Cashew, nutshell liq., polymer with bisphenol A diglycidyl ether, ethylenediamine and formaldehyde, reaction products with N1,N1-diethyl-1,3-propanediamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Cashew, nutshell liq., polymer with bisphenol A diglycidyl ether, ethylenediamine and formaldehyde, reaction products with N1,N1-diethyl-1,3-propanediamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Formaldehyde, reaction products with bisphenol A and phenol", "dtxsid": "DTXSID001093286", "dtxcid": null, "casrn": "91673-29-9", "preferredName": "Formaldehyde, reaction products with bisphenol A and phenol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Formaldehyde, reaction products with bisphenol A and phenol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, polymer with benzoic acid, bisphenol A, 1,4-cyclohexanedimethanol, epichlorohydrin, 1,6-hexanediol, isophthalic acid, pentaerythritol, phthalic anhydride, 3a,4,7,7a-tetrahydro-1,3-isobenzofurandione, trimellitic anhydride and trimethylolpropane", "dtxsid": "DTXSID001340308", "dtxcid": null, "casrn": "197730-55-5", "preferredName": "Castor oil, polymer with benzoic acid, bisphenol A, 1,4-cyclohexanedimethanol, epichlorohydrin, 1,6-hexanediol, isophthalic acid, pentaerythritol, phthalic anhydride, 3a,4,7,7a-tetrahydro-1,3-isobenzofurandione, trimellitic anhydride and trimethylolpropane", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, polymer with benzoic acid, bisphenol A, 1,4-cyclohexanedimethanol, epichlorohydrin, 1,6-hexanediol, isophthalic acid, pentaerythritol, phthalic anhydride, 3a,4,7,7a-tetrahydro-1,3-isobenzofurandione, trimellitic anhydride and trimethylolpropane", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-(Phenylmethylene)octanal; Bisphenol A (50:50)", "dtxsid": "DTXSID001351802", "dtxcid": null, "casrn": "NOCAS_1351802", "preferredName": "2-(Phenylmethylene)octanal; Bisphenol A (50:50)", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-(Phenylmethylene)octanal; Bisphenol A (50:50)", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "CEM Ratio 1: Dieldrin:BDE-47:Tebuconazole:Chlorpyrifos:Hexachlorophene :Methyl mercuric (II) chloride: Bisphenol A: Acrylamide (1:1:1:1:1:1:1:1 molarity)", "dtxsid": "DTXSID001354868", "dtxcid": null, "casrn": "NOCAS_1354868", "preferredName": "CEM Ratio 1: Dieldrin:BDE-47:Tebuconazole:Chlorpyrifos:Hexachlorophene :Methyl mercuric (II) chloride: Bisphenol A: Acrylamide (1:1:1:1:1:1:1:1 molarity)", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "CEM Ratio 1: Dieldrin:BDE-47:Tebuconazole:Chlorpyrifos:Hexachlorophene :Methyl mercuric (II) chloride: Bisphenol A: Acrylamide (1:1:1:1:1:1:1:1 molarity)", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "CEM ratio 3: Dieldrin:BDE-47:Tebuconazole:Chlorpyrifos:Hexachlorophene :Methyl mercuric (II) chloride: Bisphenol A: Acrylamide (10:10:20:10:1:1:10:20 molarity)", "dtxsid": "DTXSID001354870", "dtxcid": null, "casrn": "NOCAS_1354870", "preferredName": "CEM ratio 3: Dieldrin:BDE-47:Tebuconazole:Chlorpyrifos:Hexachlorophene :Methyl mercuric (II) chloride: Bisphenol A: Acrylamide (10:10:20:10:1:1:10:20 molarity)", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "CEM ratio 3: Dieldrin:BDE-47:Tebuconazole:Chlorpyrifos:Hexachlorophene :Methyl mercuric (II) chloride: Bisphenol A: Acrylamide (10:10:20:10:1:1:10:20 molarity)", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A-phosgene-trimellitic anhydride copolymer", "dtxsid": "DTXSID001358339", "dtxcid": null, "casrn": "61156-92-1", "preferredName": "Bisphenol A-phosgene-trimellitic anhydride copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A-phosgene-trimellitic anhydride copolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A/ Epichlorohydrin resin", "dtxsid": "DTXSID0050479", "dtxcid": null, "casrn": "25068-38-6", "preferredName": "Bisphenol A/ Epichlorohydrin resin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A/ Epichlorohydrin resin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A-bis(4-chlorophenyl) sulfone copolymer", "dtxsid": "DTXSID00948014", "dtxcid": null, "casrn": "25154-01-2", "preferredName": "Bisphenol A-bis(4-chlorophenyl) sulfone copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A-bis(4-chlorophenyl) sulfone copolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with azelaic acid, bisphenol A, epichlorohydrin and trimellitic anhydride", "dtxsid": "DTXSID0095596", "dtxcid": null, "casrn": "66071-04-3", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with azelaic acid, bisphenol A, epichlorohydrin and trimellitic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with azelaic acid, bisphenol A, epichlorohydrin and trimellitic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, soya, polymers with bisphenol A, dicyclopentadiene, epichlorohydrin and maleic anhydride", "dtxsid": "DTXSID0095598", "dtxcid": null, "casrn": "66071-06-5", "preferredName": "Fatty acids, soya, polymers with bisphenol A, dicyclopentadiene, epichlorohydrin and maleic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, soya, polymers with bisphenol A, dicyclopentadiene, epichlorohydrin and maleic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, dicyclopentadiene and epichlorohydrin", "dtxsid": "DTXSID0095627", "dtxcid": null, "casrn": "66071-39-4", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, dicyclopentadiene and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, dicyclopentadiene and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and maleic anhydride", "dtxsid": "DTXSID0095756", "dtxcid": null, "casrn": "67700-86-1", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and maleic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and maleic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, butadiene, cyclopentadiene, formaldehyde, maleic anhydride, methylcyclopentadiene and phenol", "dtxsid": "DTXSID0096562", "dtxcid": null, "casrn": "68071-81-8", "preferredName": "Linseed oil, polymer with bisphenol A, butadiene, cyclopentadiene, formaldehyde, maleic anhydride, methylcyclopentadiene and phenol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, butadiene, cyclopentadiene, formaldehyde, maleic anhydride, methylcyclopentadiene and phenol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, maleated, polymer with bisphenol A, formaldehyde, glycerol and pentaerythritol", "dtxsid": "DTXSID0096697", "dtxcid": null, "casrn": "68082-95-1", "preferredName": "Rosin, maleated, polymer with bisphenol A, formaldehyde, glycerol and pentaerythritol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, maleated, polymer with bisphenol A, formaldehyde, glycerol and pentaerythritol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, p-tert-butylbenzoic acid, 2-(dimethylamino)ethanol, epichlorohydrin, fumaric acid and styrene", "dtxsid": "DTXSID0097825", "dtxcid": null, "casrn": "68333-60-8", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, p-tert-butylbenzoic acid, 2-(dimethylamino)ethanol, epichlorohydrin, fumaric acid and styrene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, p-tert-butylbenzoic acid, 2-(dimethylamino)ethanol, epichlorohydrin, fumaric acid and styrene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, hydrogenated, polymer with acrylic acid, bisphenol A and epichlorohydrin", "dtxsid": "DTXSID0098186", "dtxcid": null, "casrn": "68413-22-9", "preferredName": "Rosin, hydrogenated, polymer with acrylic acid, bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, hydrogenated, polymer with acrylic acid, bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Siloxanes and Silicones, di-Me, polymers with bisphenol A", "dtxsid": "DTXSID0098423", "dtxcid": null, "casrn": "68440-77-7", "preferredName": "Siloxanes and Silicones, di-Me, polymers with bisphenol A", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Siloxanes and Silicones, di-Me, polymers with bisphenol A", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymd., polymer with bisphenol A, formaldehyde, glycerol, maleic anhydride, rosin and tung oil", "dtxsid": "DTXSID0098687", "dtxcid": null, "casrn": "68458-89-9", "preferredName": "Linseed oil, polymd., polymer with bisphenol A, formaldehyde, glycerol, maleic anhydride, rosin and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymd., polymer with bisphenol A, formaldehyde, glycerol, maleic anhydride, rosin and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A and epichlorohydrin", "dtxsid": "DTXSID00987403", "dtxcid": null, "casrn": "67989-52-0", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Vinyl acetal polymers, butyrals, polymers with acrylic acid, bisphenol A, epichlorohydrin, Et acrylate and Me methacrylate", "dtxsid": "DTXSID0099156", "dtxcid": null, "casrn": "68513-73-5", "preferredName": "Vinyl acetal polymers, butyrals, polymers with acrylic acid, bisphenol A, epichlorohydrin, Et acrylate and Me methacrylate", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Vinyl acetal polymers, butyrals, polymers with acrylic acid, bisphenol A, epichlorohydrin, Et acrylate and Me methacrylate", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with azelaic acid, bisphenol A, epichlorohydrin and trimellitic anhydride, compds. with 2-(dimethylamino)ethanol", "dtxsid": "DTXSID0099360", "dtxcid": null, "casrn": "68526-23-8", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with azelaic acid, bisphenol A, epichlorohydrin and trimellitic anhydride, compds. with 2-(dimethylamino)ethanol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with azelaic acid, bisphenol A, epichlorohydrin and trimellitic anhydride, compds. with 2-(dimethylamino)ethanol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, soya, polymers with bisphenol A, epichlorohydrin and tall oil", "dtxsid": "DTXSID0099364", "dtxcid": null, "casrn": "68526-27-2", "preferredName": "Fatty acids, soya, polymers with bisphenol A, epichlorohydrin and tall oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, soya, polymers with bisphenol A, epichlorohydrin and tall oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, polymer with bisphenol A, epichlorohydrin and TDI", "dtxsid": "DTXSID0099497", "dtxcid": null, "casrn": "68551-69-9", "preferredName": "Castor oil, polymer with bisphenol A, epichlorohydrin and TDI", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, polymer with bisphenol A, epichlorohydrin and TDI", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, carboxy-terminated, polymers with bisphenol A and epichlorohydrin", "dtxsid": "DTXSID10100484", "dtxcid": null, "casrn": "68610-41-3", "preferredName": "2-Propenenitrile, polymer with 1,3-butadiene, carboxy-terminated, polymers with bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, carboxy-terminated, polymers with bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "9,12-Octadecadienoic acid (9Z,12Z)-, dimer, reaction products with bisphenol A-epichlorohydrin polymer and carboxy-terminated acrylonitrile-butadiene polymer", "dtxsid": "DTXSID10100520", "dtxcid": null, "casrn": "68611-19-8", "preferredName": "9,12-Octadecadienoic acid (9Z,12Z)-, dimer, reaction products with bisphenol A-epichlorohydrin polymer and carboxy-terminated acrylonitrile-butadiene polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "9,12-Octadecadienoic acid (9Z,12Z)-, dimer, reaction products with bisphenol A-epichlorohydrin polymer and carboxy-terminated acrylonitrile-butadiene polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenoic acid, polymer with 1,3-butadiene and 2-propenenitrile, reaction products with bisphenol A-epichlorohydrin polymer and 3-carboxy-1-cyano-1-methylpropyl-terminated acrylonitrile-butadiene polymer", "dtxsid": "DTXSID10100727", "dtxcid": null, "casrn": "68649-62-7", "preferredName": "2-Propenoic acid, polymer with 1,3-butadiene and 2-propenenitrile, reaction products with bisphenol A-epichlorohydrin polymer and 3-carboxy-1-cyano-1-methylpropyl-terminated acrylonitrile-butadiene polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenoic acid, polymer with 1,3-butadiene and 2-propenenitrile, reaction products with bisphenol A-epichlorohydrin polymer and 3-carboxy-1-cyano-1-methylpropyl-terminated acrylonitrile-butadiene polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, soya, polymers with benzoic acid, bisphenol A, epichlorohydrin, phthalic anhydride and trimethylolethane", "dtxsid": "DTXSID10101870", "dtxcid": null, "casrn": "68920-29-6", "preferredName": "Fatty acids, soya, polymers with benzoic acid, bisphenol A, epichlorohydrin, phthalic anhydride and trimethylolethane", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, soya, polymers with benzoic acid, bisphenol A, epichlorohydrin, phthalic anhydride and trimethylolethane", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin, linseed-oil fatty acids and maleic anhydride", "dtxsid": "DTXSID10102084", "dtxcid": null, "casrn": "68951-76-8", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin, linseed-oil fatty acids and maleic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin, linseed-oil fatty acids and maleic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, cottonseed-oil, polymers with bisphenol A and epichlorohydrin", "dtxsid": "DTXSID10102145", "dtxcid": null, "casrn": "68952-56-7", "preferredName": "Fatty acids, cottonseed-oil, polymers with bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, cottonseed-oil, polymers with bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Amides, from C18-unsatd. fatty acid dimers, tall-oil fatty acids and triethylenetetramine, reaction products with bisphenol A-epichlorohydrin polymer", "dtxsid": "DTXSID10102180", "dtxcid": null, "casrn": "68953-09-3", "preferredName": "Amides, from C18-unsatd. fatty acid dimers, tall-oil fatty acids and triethylenetetramine, reaction products with bisphenol A-epichlorohydrin polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Amides, from C18-unsatd. fatty acid dimers, tall-oil fatty acids and triethylenetetramine, reaction products with bisphenol A-epichlorohydrin polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, dehydrated, polymer with bis(1,1-dimethylethyl)phenol, bisphenol A, formaldehyde and tung oil", "dtxsid": "DTXSID10102605", "dtxcid": null, "casrn": "68989-46-8", "preferredName": "Castor oil, dehydrated, polymer with bis(1,1-dimethylethyl)phenol, bisphenol A, formaldehyde and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, dehydrated, polymer with bis(1,1-dimethylethyl)phenol, bisphenol A, formaldehyde and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and maleic anhydride, compds. with 2-(dimethylamino)ethanol and triisopropanolamine", "dtxsid": "DTXSID10103339", "dtxcid": null, "casrn": "70321-60-7", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and maleic anhydride, compds. with 2-(dimethylamino)ethanol and triisopropanolamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and maleic anhydride, compds. with 2-(dimethylamino)ethanol and triisopropanolamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, bisphenol A diglycidyl ether and tall oil", "dtxsid": "DTXSID10103551", "dtxcid": null, "casrn": "70879-70-8", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, bisphenol A diglycidyl ether and tall oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, bisphenol A diglycidyl ether and tall oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, maleated, polymer with bisphenol A, formaldehyde, pentaerythritol, phenol and phthalic anhydride", "dtxsid": "DTXSID10103894", "dtxcid": null, "casrn": "71243-70-4", "preferredName": "Rosin, maleated, polymer with bisphenol A, formaldehyde, pentaerythritol, phenol and phthalic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, maleated, polymer with bisphenol A, formaldehyde, pentaerythritol, phenol and phthalic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, maleated, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, pentaerythritol and (1,1,3,3-tetramethylbutyl)phenol", "dtxsid": "DTXSID10104306", "dtxcid": null, "casrn": "72230-82-1", "preferredName": "Rosin, maleated, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, pentaerythritol and (1,1,3,3-tetramethylbutyl)phenol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, maleated, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, pentaerythritol and (1,1,3,3-tetramethylbutyl)phenol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenenitrile, polymer with ethenylbenzene, carboxy-terminated, polymers with bisphenol A diglycidyl ether and carboxy-terminated polybutadiene", "dtxsid": "DTXSID10104523", "dtxcid": null, "casrn": "72828-59-2", "preferredName": "2-Propenenitrile, polymer with ethenylbenzene, carboxy-terminated, polymers with bisphenol A diglycidyl ether and carboxy-terminated polybutadiene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenenitrile, polymer with ethenylbenzene, carboxy-terminated, polymers with bisphenol A diglycidyl ether and carboxy-terminated polybutadiene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, formaldehyde, glycerol, maleic anhydride and rosin", "dtxsid": "DTXSID10105030", "dtxcid": null, "casrn": "78169-19-4", "preferredName": "Linseed oil, polymer with bisphenol A, formaldehyde, glycerol, maleic anhydride and rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, formaldehyde, glycerol, maleic anhydride and rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., trimers, polymers with bisphenol A, Bu glycidyl ether and epichlorohydrin", "dtxsid": "DTXSID10105510", "dtxcid": null, "casrn": "96097-33-5", "preferredName": "Fatty acids, C18-unsatd., trimers, polymers with bisphenol A, Bu glycidyl ether and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., trimers, polymers with bisphenol A, Bu glycidyl ether and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tar acids, cresylic, residues, polymers with bisphenol A, 2-butoxyethanol and formaldehyde", "dtxsid": "DTXSID10105616", "dtxcid": null, "casrn": "96899-93-3", "preferredName": "Tar acids, cresylic, residues, polymers with bisphenol A, 2-butoxyethanol and formaldehyde", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Tar acids, cresylic, residues, polymers with bisphenol A, 2-butoxyethanol and formaldehyde", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2,5-Furandione, polymers with bisphenol A, epichlorohydrin and formaldehyde-phenol polymer glycidyl ether", "dtxsid": "DTXSID10105717", "dtxcid": null, "casrn": "99811-85-5", "preferredName": "2,5-Furandione, polymers with bisphenol A, epichlorohydrin and formaldehyde-phenol polymer glycidyl ether", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2,5-Furandione, polymers with bisphenol A, epichlorohydrin and formaldehyde-phenol polymer glycidyl ether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, formaldehyde, glycerol, maleic anhydride, pentaerythritol, phthalic anhydride and rosin", "dtxsid": "DTXSID10106027", "dtxcid": null, "casrn": "114887-03-5", "preferredName": "Linseed oil, polymer with bisphenol A, formaldehyde, glycerol, maleic anhydride, pentaerythritol, phthalic anhydride and rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, formaldehyde, glycerol, maleic anhydride, pentaerythritol, phthalic anhydride and rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Phenol, 2-methyl-, reaction products with bisphenol A-epichlorohydrin polymer and butoxymethanol", "dtxsid": "DTXSID10106087", "dtxcid": null, "casrn": "118421-09-3", "preferredName": "Phenol, 2-methyl-, reaction products with bisphenol A-epichlorohydrin polymer and butoxymethanol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Phenol, 2-methyl-, reaction products with bisphenol A-epichlorohydrin polymer and butoxymethanol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, maleated, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, nonylphenol and pentaerythritol", "dtxsid": "DTXSID10106305", "dtxcid": null, "casrn": "129595-12-6", "preferredName": "Rosin, maleated, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, nonylphenol and pentaerythritol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, maleated, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, nonylphenol and pentaerythritol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Neodecanoic acid, 2-oxiranylmethyl ester, reaction products with bisphenol A-epichlorohydrin-hexamethylenediamine polymer, diethanolamine and N1,N1-dimethyl-1,3-propanediamine", "dtxsid": "DTXSID10106406", "dtxcid": null, "casrn": "134134-94-4", "preferredName": "Neodecanoic acid, 2-oxiranylmethyl ester, reaction products with bisphenol A-epichlorohydrin-hexamethylenediamine polymer, diethanolamine and N1,N1-dimethyl-1,3-propanediamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Neodecanoic acid, 2-oxiranylmethyl ester, reaction products with bisphenol A-epichlorohydrin-hexamethylenediamine polymer, diethanolamine and N1,N1-dimethyl-1,3-propanediamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Propoxylated bisphenol A dimethacrylate", "dtxsid": "DTXSID101066561", "dtxcid": null, "casrn": "42610-22-0", "preferredName": "Propoxylated bisphenol A dimethacrylate", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Propoxylated bisphenol A dimethacrylate", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A-bisphenol F-epichlorohydrin copolymer", "dtxsid": "DTXSID101068698", "dtxcid": null, "casrn": "87182-08-9", "preferredName": "Bisphenol A-bisphenol F-epichlorohydrin copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A-bisphenol F-epichlorohydrin copolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, 3-carboxy-1-cyano-1-methylpropyl-terminated acrylonitrile-butadiene polymer and epichlorohydrin", "dtxsid": "DTXSID10106966", "dtxcid": null, "casrn": "160870-27-9", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, 3-carboxy-1-cyano-1-methylpropyl-terminated acrylonitrile-butadiene polymer and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, 3-carboxy-1-cyano-1-methylpropyl-terminated acrylonitrile-butadiene polymer and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "tert-Decanoic acid, 2-oxiranylmethyl ester, reaction products with bisphenol A-N1,N1-dimethyl-1,3-propanediamine-epichlorohydrin-2-methyl-1,5-pentanediamine polymer ether with diethanolamine, formate (salt)", "dtxsid": "DTXSID10107094", "dtxcid": null, "casrn": "168113-85-7", "preferredName": "tert-Decanoic acid, 2-oxiranylmethyl ester, reaction products with bisphenol A-N1,N1-dimethyl-1,3-propanediamine-epichlorohydrin-2-methyl-1,5-pentanediamine polymer ether with diethanolamine, formate (salt)", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "tert-Decanoic acid, 2-oxiranylmethyl ester, reaction products with bisphenol A-N1,N1-dimethyl-1,3-propanediamine-epichlorohydrin-2-methyl-1,5-pentanediamine polymer ether with diethanolamine, formate (salt)", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, coco, polymers with bisphenol A and epichlorohydrin", "dtxsid": "DTXSID101071855", "dtxcid": null, "casrn": "113089-60-4", "preferredName": "Fatty acids, coco, polymers with bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, coco, polymers with bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, p-tert-butylphenol and epichlorohydrin", "dtxsid": "DTXSID10107291", "dtxcid": null, "casrn": "186844-46-2", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, p-tert-butylphenol and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, p-tert-butylphenol and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2,5-Furandione, polymers with bisphenol A, epichlorohydrin and hydrogenated butadiene-styrene polymer", "dtxsid": "DTXSID10107377", "dtxcid": null, "casrn": "193635-80-2", "preferredName": "2,5-Furandione, polymers with bisphenol A, epichlorohydrin and hydrogenated butadiene-styrene polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2,5-Furandione, polymers with bisphenol A, epichlorohydrin and hydrogenated butadiene-styrene polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenoic acid, polymer with 1,3-butadiene and 2-propenenitrile, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A, 3-carboxy-1-cyano-1-methylpropyl-terminated polybutadiene and epichlorohydrin", "dtxsid": "DTXSID10107498", "dtxcid": null, "casrn": "198495-76-0", "preferredName": "2-Propenoic acid, polymer with 1,3-butadiene and 2-propenenitrile, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A, 3-carboxy-1-cyano-1-methylpropyl-terminated polybutadiene and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenoic acid, polymer with 1,3-butadiene and 2-propenenitrile, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A, 3-carboxy-1-cyano-1-methylpropyl-terminated polybutadiene and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with acrylic acid, benzoic acid, bisphenol A, bisphenol A diglycidyl ether, 2-(diethylamino)ethyl methacrylate and Me methacrylate", "dtxsid": "DTXSID10107579", "dtxcid": null, "casrn": "215661-33-9", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with acrylic acid, benzoic acid, bisphenol A, bisphenol A diglycidyl ether, 2-(diethylamino)ethyl methacrylate and Me methacrylate", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with acrylic acid, benzoic acid, bisphenol A, bisphenol A diglycidyl ether, 2-(diethylamino)ethyl methacrylate and Me methacrylate", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, reaction products with bisphenol A, epichlorohydrin and triethylenetetramine", "dtxsid": "DTXSID101076431", "dtxcid": null, "casrn": "186321-94-8", "preferredName": "Fatty acids, tall-oil, reaction products with bisphenol A, epichlorohydrin and triethylenetetramine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, reaction products with bisphenol A, epichlorohydrin and triethylenetetramine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, reaction products with bisphenol A, formaldehyde, glycerol and 4-(1,1,3,3-tetramethylbutyl)phenol", "dtxsid": "DTXSID101076831", "dtxcid": null, "casrn": "91081-52-6", "preferredName": "Rosin, reaction products with bisphenol A, formaldehyde, glycerol and 4-(1,1,3,3-tetramethylbutyl)phenol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, reaction products with bisphenol A, formaldehyde, glycerol and 4-(1,1,3,3-tetramethylbutyl)phenol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymd., polymer with bisphenol A diglycidyl ether, pentaethylenehexamine and tetraethylenepentamine", "dtxsid": "DTXSID101077491", "dtxcid": null, "casrn": "124128-87-6", "preferredName": "Linseed oil, polymd., polymer with bisphenol A diglycidyl ether, pentaethylenehexamine and tetraethylenepentamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymd., polymer with bisphenol A diglycidyl ether, pentaethylenehexamine and tetraethylenepentamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, tall-oil fatty acids and triethylenetetramine", "dtxsid": "DTXSID101078099", "dtxcid": null, "casrn": "160901-21-3", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, tall-oil fatty acids and triethylenetetramine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, tall-oil fatty acids and triethylenetetramine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenoic acid, 2-methyl-, 2-hydroxyethyl ester, reaction products with bisphenol A, epichlorohydrin and succinic anhydride", "dtxsid": "DTXSID101078170", "dtxcid": null, "casrn": "1187203-79-7", "preferredName": "2-Propenoic acid, 2-methyl-, 2-hydroxyethyl ester, reaction products with bisphenol A, epichlorohydrin and succinic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenoic acid, 2-methyl-, 2-hydroxyethyl ester, reaction products with bisphenol A, epichlorohydrin and succinic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, reaction products with bisphenol A-epichlorohydrin polymer, Bu glycidyl ether, N,N-dimethylpropanediamine, tall-oil fatty acids and triethylenetetramine", "dtxsid": "DTXSID101080139", "dtxcid": null, "casrn": "1179923-51-3", "preferredName": "Fatty acids, C18-unsatd., dimers, reaction products with bisphenol A-epichlorohydrin polymer, Bu glycidyl ether, N,N-dimethylpropanediamine, tall-oil fatty acids and triethylenetetramine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, reaction products with bisphenol A-epichlorohydrin polymer, Bu glycidyl ether, N,N-dimethylpropanediamine, tall-oil fatty acids and triethylenetetramine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, pentaethylenehexamine and 3-(2-propenyloxy)-1,2-propanediol", "dtxsid": "DTXSID101080153", "dtxcid": null, "casrn": "92201-93-9", "preferredName": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, pentaethylenehexamine and 3-(2-propenyloxy)-1,2-propanediol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, pentaethylenehexamine and 3-(2-propenyloxy)-1,2-propanediol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, N-(hydroxymethyl)-2-propenamide and pentaethylenehexamine", "dtxsid": "DTXSID101080353", "dtxcid": null, "casrn": "97808-13-4", "preferredName": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, N-(hydroxymethyl)-2-propenamide and pentaethylenehexamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, N-(hydroxymethyl)-2-propenamide and pentaethylenehexamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, 2-(dimethylamino)ethyl methacrylate and pentaethylenehexamine", "dtxsid": "DTXSID101080377", "dtxcid": null, "casrn": "91770-76-2", "preferredName": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, 2-(dimethylamino)ethyl methacrylate and pentaethylenehexamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, 2-(dimethylamino)ethyl methacrylate and pentaethylenehexamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Formaldehyde, reaction products with 1,3-benzenedimethanamine and bisphenol A", "dtxsid": "DTXSID10108061", "dtxcid": null, "casrn": "259871-68-6", "preferredName": "Formaldehyde, reaction products with 1,3-benzenedimethanamine and bisphenol A", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Formaldehyde, reaction products with 1,3-benzenedimethanamine and bisphenol A", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A, o-cresol-formaldehyde polymer glycidyl ether, epichlorohydrin and 4,4′-(1-methylethylidene)bis[2,6-dibromophenol]", "dtxsid": "DTXSID101080715", "dtxcid": null, "casrn": "151285-27-7", "preferredName": "2-Propenenitrile, polymer with 1,3-butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A, o-cresol-formaldehyde polymer glycidyl ether, epichlorohydrin and 4,4′-(1-methylethylidene)bis[2,6-dibromophenol]", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A, o-cresol-formaldehyde polymer glycidyl ether, epichlorohydrin and 4,4′-(1-methylethylidene)bis[2,6-dibromophenol]", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Phenol, 4,4′-(1-methylethylidene)bis-, polymer with 2-(chloromethyl)oxirane, reaction products with bisphenol A and N-[4-(2-oxiranylmethoxy)phenyl]-N-(2-oxiranylmethyl)-2-oxiranemethanamine", "dtxsid": "DTXSID101081832", "dtxcid": null, "casrn": "102343-98-6", "preferredName": "Phenol, 4,4′-(1-methylethylidene)bis-, polymer with 2-(chloromethyl)oxirane, reaction products with bisphenol A and N-[4-(2-oxiranylmethoxy)phenyl]-N-(2-oxiranylmethyl)-2-oxiranemethanamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Phenol, 4,4′-(1-methylethylidene)bis-, polymer with 2-(chloromethyl)oxirane, reaction products with bisphenol A and N-[4-(2-oxiranylmethoxy)phenyl]-N-(2-oxiranylmethyl)-2-oxiranemethanamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Acetic acid, reaction products with bisphenol A diglycidyl ether and hexamethylenediamine", "dtxsid": "DTXSID101088957", "dtxcid": null, "casrn": "102923-07-9", "preferredName": "Acetic acid, reaction products with bisphenol A diglycidyl ether and hexamethylenediamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Acetic acid, reaction products with bisphenol A diglycidyl ether and hexamethylenediamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A-carbonic acid-dimethylsilanediol block copolymer", "dtxsid": "DTXSID101093077", "dtxcid": null, "casrn": "157591-49-6", "preferredName": "Bisphenol A-carbonic acid-dimethylsilanediol block copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A-carbonic acid-dimethylsilanediol block copolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, reaction products with bisphenol A, formaldehyde, glycerol and pentaerythritol", "dtxsid": "DTXSID101346080", "dtxcid": null, "casrn": "2746399-74-4", "preferredName": "Rosin, reaction products with bisphenol A, formaldehyde, glycerol and pentaerythritol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, reaction products with bisphenol A, formaldehyde, glycerol and pentaerythritol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Propylparaben; Bisphenol A (50:50)", "dtxsid": "DTXSID101351798", "dtxcid": null, "casrn": "NOCAS_1351798", "preferredName": "Propylparaben; Bisphenol A (50:50)", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Propylparaben; Bisphenol A (50:50)", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "3,3',5,5'-Tetrabromobisphenol A", "dtxsid": "DTXSID1026081", "dtxcid": "DTXCID406081", "casrn": "79-94-7", "preferredName": "3,3',5,5'-Tetrabromobisphenol A", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC(Br)=C(O)C(Br)=C1)C1=CC(Br)=C(O)C(Br)=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "3,3',5,5'-Tetrabromobisphenol A", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A propoxylate diglycidyl ether", "dtxsid": "DTXSID10399098", "dtxcid": "DTXCID10349957", "casrn": "106100-55-4", "preferredName": "Bisphenol A propoxylate diglycidyl ether", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(OCCCOCC2CO2)C=C1)C1=CC=C(OCCCOCC2CO2)C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "Bisphenol A propoxylate diglycidyl ether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Polypropylene glycol glycerol triether, epichlorohydrin, bisphenol A polymer", "dtxsid": "DTXSID1052874", "dtxcid": null, "casrn": "68683-13-6", "preferredName": "Polypropylene glycol glycerol triether, epichlorohydrin, bisphenol A polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Polypropylene glycol glycerol triether, epichlorohydrin, bisphenol A polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tetrabromobisphenol A dimethyl ether", "dtxsid": "DTXSID10865889", "dtxcid": "DTXCID20814247", "casrn": "37853-61-5", "preferredName": "Tetrabromobisphenol A dimethyl ether", "hasStructureImage": 1, "smiles": "COC1=C(Br)C=C(C=C1Br)C(C)(C)C1=CC(Br)=C(OC)C(Br)=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "Tetrabromobisphenol A dimethyl ether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A glucuronide", "dtxsid": "DTXSID10873181", "dtxcid": "DTXCID60820680", "casrn": "267244-08-6", "preferredName": "Bisphenol A glucuronide", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(O)C=C1)C1=CC=C(O[C@@H]2O[C@@H]([C@@H](O)[C@H](O)[C@H]2O)C(O)=O)C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "Bisphenol A glucuronide", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "3,5,3',5'-Tetrabromobisphenol A, epichlorohydrin polymer", "dtxsid": "DTXSID10892231", "dtxcid": null, "casrn": "40039-93-8", "preferredName": "3,5,3',5'-Tetrabromobisphenol A, epichlorohydrin polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "3,5,3',5'-Tetrabromobisphenol A, epichlorohydrin polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, castor-oil, polymers with bisphenol A and epichlorohydrin", "dtxsid": "DTXSID1095749", "dtxcid": null, "casrn": "67700-79-2", "preferredName": "Fatty acids, castor-oil, polymers with bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, castor-oil, polymers with bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin and phthalic anhydride", "dtxsid": "DTXSID1095820", "dtxcid": null, "casrn": "67746-16-1", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin and phthalic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin and phthalic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and rosin", "dtxsid": "DTXSID1096472", "dtxcid": null, "casrn": "68038-22-2", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fats and Glyceridic oils, oiticica, polymers with bisphenol A, formaldehyde, glycerol, maleic anhydride, rosin and tung oil", "dtxsid": "DTXSID1096688", "dtxcid": null, "casrn": "68082-83-7", "preferredName": "Fats and Glyceridic oils, oiticica, polymers with bisphenol A, formaldehyde, glycerol, maleic anhydride, rosin and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fats and Glyceridic oils, oiticica, polymers with bisphenol A, formaldehyde, glycerol, maleic anhydride, rosin and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, polymer with bisphenol A, formaldehyde and glycerol", "dtxsid": "DTXSID1097151", "dtxcid": null, "casrn": "68152-70-5", "preferredName": "Rosin, polymer with bisphenol A, formaldehyde and glycerol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, polymer with bisphenol A, formaldehyde and glycerol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol and formaldehyde", "dtxsid": "DTXSID1097234", "dtxcid": null, "casrn": "68153-87-7", "preferredName": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol and formaldehyde", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol and formaldehyde", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, soya, polymers with bisphenol A and bisphenol A diglycidyl ether", "dtxsid": "DTXSID1097313", "dtxcid": null, "casrn": "68154-80-3", "preferredName": "Fatty acids, soya, polymers with bisphenol A and bisphenol A diglycidyl ether", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, soya, polymers with bisphenol A and bisphenol A diglycidyl ether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A and diethylenetriamine", "dtxsid": "DTXSID1097941", "dtxcid": null, "casrn": "68390-10-3", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A and diethylenetriamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A and diethylenetriamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, dehydrated, polymer with bisphenol A, butylphenol, formaldehyde and tung oil", "dtxsid": "DTXSID1098040", "dtxcid": null, "casrn": "68409-87-0", "preferredName": "Castor oil, dehydrated, polymer with bisphenol A, butylphenol, formaldehyde and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, dehydrated, polymer with bisphenol A, butylphenol, formaldehyde and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Boric acid (H3B3O6), trimethyl ester, reaction products with bisphenol A-epichlorohydrin polymer diglycidyl ether", "dtxsid": "DTXSID1098466", "dtxcid": null, "casrn": "68441-45-2", "preferredName": "Boric acid (H3B3O6), trimethyl ester, reaction products with bisphenol A-epichlorohydrin polymer diglycidyl ether", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Boric acid (H3B3O6), trimethyl ester, reaction products with bisphenol A-epichlorohydrin polymer diglycidyl ether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, polymer with bisphenol A, formaldehyde, glycerol, and pentaerythritol", "dtxsid": "DTXSID1098670", "dtxcid": null, "casrn": "68458-67-3", "preferredName": "Rosin, polymer with bisphenol A, formaldehyde, glycerol, and pentaerythritol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, polymer with bisphenol A, formaldehyde, glycerol, and pentaerythritol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Cyclohexanemethanamine, 5-amino-1,3,3-trimethyl-, reaction products with bisphenol A diglycidyl ether homopolymer", "dtxsid": "DTXSID10988284", "dtxcid": null, "casrn": "68609-08-5", "preferredName": "Cyclohexanemethanamine, 5-amino-1,3,3-trimethyl-, reaction products with bisphenol A diglycidyl ether homopolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Cyclohexanemethanamine, 5-amino-1,3,3-trimethyl-, reaction products with bisphenol A diglycidyl ether homopolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, polymer with bisphenol A and epichlorohydrin", "dtxsid": "DTXSID1099149", "dtxcid": null, "casrn": "68513-59-7", "preferredName": "Castor oil, polymer with bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, polymer with bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, polymer with bisphenol A, p-tert-butylphenol, formaldehyde and pentaerythritol", "dtxsid": "DTXSID1099725", "dtxcid": null, "casrn": "68554-29-0", "preferredName": "Rosin, polymer with bisphenol A, p-tert-butylphenol, formaldehyde and pentaerythritol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, polymer with bisphenol A, p-tert-butylphenol, formaldehyde and pentaerythritol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and tall oil", "dtxsid": "DTXSID20100172", "dtxcid": null, "casrn": "68605-55-0", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and tall oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and tall oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, fumarated maleated, polymer with bisphenol A, formaldehyde, glycerol and pentaerythritol", "dtxsid": "DTXSID20100319", "dtxcid": null, "casrn": "68607-49-8", "preferredName": "Rosin, fumarated maleated, polymer with bisphenol A, formaldehyde, glycerol and pentaerythritol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, fumarated maleated, polymer with bisphenol A, formaldehyde, glycerol and pentaerythritol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin and Me methacrylate", "dtxsid": "DTXSID20100632", "dtxcid": null, "casrn": "68647-98-3", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin and Me methacrylate", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin and Me methacrylate", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, safflower-oil, polymers with bisphenol A, p-tert-butylbenzoic acid, epichlorohydrin, glycerol and styrene", "dtxsid": "DTXSID20100637", "dtxcid": null, "casrn": "68648-05-5", "preferredName": "Fatty acids, safflower-oil, polymers with bisphenol A, p-tert-butylbenzoic acid, epichlorohydrin, glycerol and styrene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, safflower-oil, polymers with bisphenol A, p-tert-butylbenzoic acid, epichlorohydrin, glycerol and styrene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, p-butylphenol, formaldehyde and tung oil", "dtxsid": "DTXSID20100652", "dtxcid": null, "casrn": "68648-29-3", "preferredName": "Linseed oil, polymer with bisphenol A, p-butylphenol, formaldehyde and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, p-butylphenol, formaldehyde and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A bis(polypropylene glycol) ether", "dtxsid": "DTXSID201009550", "dtxcid": "DTXCID801769540", "casrn": "37353-75-6", "preferredName": "Bisphenol A bis(polypropylene glycol) ether", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(OCCCO)C=C1)C1=CC=C(OCCCO)C=C1 |c:12,24,t:3,5,15,17,lp:7:2,11:2,18:2,22:2,Sg:n:21,20,19,18::ht,Sg:n:10,9,8,7::ht|", - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A bis(polypropylene glycol) ether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, carboxy-terminated, polymer with bisphenol A diglycidyl ether", "dtxsid": "DTXSID201012581", "dtxcid": null, "casrn": "68648-83-9", "preferredName": "2-Propenenitrile, polymer with 1,3-butadiene, carboxy-terminated, polymer with bisphenol A diglycidyl ether", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, carboxy-terminated, polymer with bisphenol A diglycidyl ether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, 3-hydroxy-2-(hydroxymethyl)-2-methylpropanoic acid, phthalic anhydride and trimethylolethane", "dtxsid": "DTXSID20101528", "dtxcid": null, "casrn": "68915-70-8", "preferredName": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, 3-hydroxy-2-(hydroxymethyl)-2-methylpropanoic acid, phthalic anhydride and trimethylolethane", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, 3-hydroxy-2-(hydroxymethyl)-2-methylpropanoic acid, phthalic anhydride and trimethylolethane", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "3,3',5,5'-Tetrabromobisphenol A-13C12", "dtxsid": "DTXSID201016852", "dtxcid": "DTXCID501475043", "casrn": "1352876-39-1", "preferredName": "3,3',5,5'-Tetrabromobisphenol A-13C12", "hasStructureImage": 1, "smiles": "CC(C)([13C]1=[13CH][13C](Br)=[13C](O)[13C](Br)=[13CH]1)[13C]1=[13CH][13C](Br)=[13C](O)[13C](Br)=[13CH]1", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "3,3',5,5'-Tetrabromobisphenol A-13C12", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, pentaerythritol, phthalic anhydride and rosin", "dtxsid": "DTXSID20101846", "dtxcid": null, "casrn": "68919-94-8", "preferredName": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, pentaerythritol, phthalic anhydride and rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, pentaerythritol, phthalic anhydride and rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin, fumaric acid and rosin", "dtxsid": "DTXSID20101866", "dtxcid": null, "casrn": "68920-24-1", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin, fumaric acid and rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin, fumaric acid and rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, soya fatty acids and tall-oil fatty acids", "dtxsid": "DTXSID20102111", "dtxcid": null, "casrn": "68952-14-7", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, soya fatty acids and tall-oil fatty acids", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, soya fatty acids and tall-oil fatty acids", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, maleated, polymer with bisphenol A, epichlorohydrin and glycerol", "dtxsid": "DTXSID20102171", "dtxcid": null, "casrn": "68952-92-1", "preferredName": "Rosin, maleated, polymer with bisphenol A, epichlorohydrin and glycerol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, maleated, polymer with bisphenol A, epichlorohydrin and glycerol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, soya, polymers with bisphenol A, epichlorohydrin, maleic anhydride and 3a,4,7,7a-tetrahydro-4,7-methano-1H-indenol", "dtxsid": "DTXSID20102353", "dtxcid": null, "casrn": "68956-21-8", "preferredName": "Fatty acids, soya, polymers with bisphenol A, epichlorohydrin, maleic anhydride and 3a,4,7,7a-tetrahydro-4,7-methano-1H-indenol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, soya, polymers with bisphenol A, epichlorohydrin, maleic anhydride and 3a,4,7,7a-tetrahydro-4,7-methano-1H-indenol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A monosulfate", "dtxsid": "DTXSID201025605", "dtxcid": "DTXCID80841998", "casrn": "267244-09-7", "preferredName": "Bisphenol A monosulfate", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(O)C=C1)C1=CC=C(OS(O)(=O)=O)C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "Bisphenol A monosulfate", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Propanoic acid, 2-hydroxy-, compd. with 2-(dimethylamino)ethanol-quaternized bisphenol A-diethylene glycol-epichlorohydrin-2-ethylhexyl (3-isocyanatomethylphenyl)carbamate-2-oxepanone polymer", "dtxsid": "DTXSID20102570", "dtxcid": null, "casrn": "68988-86-3", "preferredName": "Propanoic acid, 2-hydroxy-, compd. with 2-(dimethylamino)ethanol-quaternized bisphenol A-diethylene glycol-epichlorohydrin-2-ethylhexyl (3-isocyanatomethylphenyl)carbamate-2-oxepanone polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Propanoic acid, 2-hydroxy-, compd. with 2-(dimethylamino)ethanol-quaternized bisphenol A-diethylene glycol-epichlorohydrin-2-ethylhexyl (3-isocyanatomethylphenyl)carbamate-2-oxepanone polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, pentaerythritol, rosin and tung oil", "dtxsid": "DTXSID20102712", "dtxcid": null, "casrn": "68991-11-7", "preferredName": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, pentaerythritol, rosin and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, pentaerythritol, rosin and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, polymer with bisphenol A, formaldehyde, glycerol, pentaerythritol and tripentaerythritol", "dtxsid": "DTXSID20103022", "dtxcid": null, "casrn": "69103-11-3", "preferredName": "Rosin, polymer with bisphenol A, formaldehyde, glycerol, pentaerythritol and tripentaerythritol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, polymer with bisphenol A, formaldehyde, glycerol, pentaerythritol and tripentaerythritol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, dehydrated, polymer with bis(1,1-dimethylethyl)phenol, bisphenol A, formaldehyde, linseed oil and tung oil", "dtxsid": "DTXSID20103188", "dtxcid": null, "casrn": "70024-95-2", "preferredName": "Castor oil, dehydrated, polymer with bis(1,1-dimethylethyl)phenol, bisphenol A, formaldehyde, linseed oil and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, dehydrated, polymer with bis(1,1-dimethylethyl)phenol, bisphenol A, formaldehyde, linseed oil and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Amines, N-(3-aminopropyl)-N-tallow alkyltrimethylenedi-, polymers with bisphenol A and epichlorohydrin", "dtxsid": "DTXSID201033424", "dtxcid": null, "casrn": "2408913-46-0", "preferredName": "Amines, N-(3-aminopropyl)-N-tallow alkyltrimethylenedi-, polymers with bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Amines, N-(3-aminopropyl)-N-tallow alkyltrimethylenedi-, polymers with bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Siloxanes and Silicones, di-Me, polymers with Ph silsesquioxanes, methoxy-terminated, reaction products with bisphenol A-epichlorohydrin polymer and Bu alc.", "dtxsid": "DTXSID20103709", "dtxcid": null, "casrn": "70955-48-5", "preferredName": "Siloxanes and Silicones, di-Me, polymers with Ph silsesquioxanes, methoxy-terminated, reaction products with bisphenol A-epichlorohydrin polymer and Bu alc.", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Siloxanes and Silicones, di-Me, polymers with Ph silsesquioxanes, methoxy-terminated, reaction products with bisphenol A-epichlorohydrin polymer and Bu alc.", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A Polysulfone resin", "dtxsid": "DTXSID201037169", "dtxcid": "DTXCID701766331", "casrn": "25135-51-7", "preferredName": "Bisphenol A Polysulfone resin", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(-*)C=C1)C1=CC=C(OC2=CC=C(C=C2)S(=O)(=O)C2=CC=C(O-*)C=C2)C=C1 |$;;;;;;;star_e;;;;;;;;;;;;;;;;;;;;;;star_e;;;;$,c:8,18,20,32,35,t:3,5,11,13,16,26,28,lp:14:2,22:2,23:2,28:2,Sg:n:31,30,29,28,27,26,25,24,19,20,32,33,9,8,7,6,5,4,3,2,0,1,10,11,12,13,14,15,16,17,18,23,22,21::ht|", - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A Polysulfone resin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, carboxy-terminated, polymer with bisphenol A diglycidyl ether homopolymer and epichlorohydrin-formaldehyde-phenol polymer", "dtxsid": "DTXSID20104337", "dtxcid": null, "casrn": "72245-34-2", "preferredName": "2-Propenenitrile, polymer with 1,3-butadiene, carboxy-terminated, polymer with bisphenol A diglycidyl ether homopolymer and epichlorohydrin-formaldehyde-phenol polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, carboxy-terminated, polymer with bisphenol A diglycidyl ether homopolymer and epichlorohydrin-formaldehyde-phenol polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Propanoic acid, 2-hydroxy-, compd. with 2-(dimethylamino)ethanol (1:1), reaction products with bisphenol A-epichlorohydrin polymer and 2-ethylhexyl (3-isocyanatomethylphenyl)carbamate", "dtxsid": "DTXSID20104372", "dtxcid": null, "casrn": "72318-98-0", "preferredName": "Propanoic acid, 2-hydroxy-, compd. with 2-(dimethylamino)ethanol (1:1), reaction products with bisphenol A-epichlorohydrin polymer and 2-ethylhexyl (3-isocyanatomethylphenyl)carbamate", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Propanoic acid, 2-hydroxy-, compd. with 2-(dimethylamino)ethanol (1:1), reaction products with bisphenol A-epichlorohydrin polymer and 2-ethylhexyl (3-isocyanatomethylphenyl)carbamate", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Phenol, polymer with formaldehyde, glycidyl ether, polymers with bisphenol A, epichlorohydrin and maleic anhydride", "dtxsid": "DTXSID20104857", "dtxcid": null, "casrn": "74098-42-3", "preferredName": "Phenol, polymer with formaldehyde, glycidyl ether, polymers with bisphenol A, epichlorohydrin and maleic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Phenol, polymer with formaldehyde, glycidyl ether, polymers with bisphenol A, epichlorohydrin and maleic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tung oil, polymd., oxidized, polymer with bisphenol A, p-tert-butylphenol and formaldehyde", "dtxsid": "DTXSID20105541", "dtxcid": null, "casrn": "96278-73-8", "preferredName": "Tung oil, polymd., oxidized, polymer with bisphenol A, p-tert-butylphenol and formaldehyde", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Tung oil, polymd., oxidized, polymer with bisphenol A, p-tert-butylphenol and formaldehyde", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated, reaction products with bisphenol A diglycidyl ether", "dtxsid": "DTXSID20106159", "dtxcid": null, "casrn": "123209-71-2", "preferredName": "2-Propenenitrile, polymer with 1,3-butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated, reaction products with bisphenol A diglycidyl ether", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated, reaction products with bisphenol A diglycidyl ether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with benzoic acid, bisphenol A, epichlorohydrin, isophthalic acid, trimellitic anhydride and trimethylolpropane", "dtxsid": "DTXSID20106255", "dtxcid": null, "casrn": "125643-64-3", "preferredName": "Fatty acids, tall-oil, polymers with benzoic acid, bisphenol A, epichlorohydrin, isophthalic acid, trimellitic anhydride and trimethylolpropane", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with benzoic acid, bisphenol A, epichlorohydrin, isophthalic acid, trimellitic anhydride and trimethylolpropane", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tetraisodecyl bisphenol A diphosphite", "dtxsid": "DTXSID201066057", "dtxcid": null, "casrn": "61670-79-9", "preferredName": "Tetraisodecyl bisphenol A diphosphite", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Tetraisodecyl bisphenol A diphosphite", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with acrylic acid, bisphenol A, epichlorohydrin, 2-hydroxyethyl acrylate, linoleic acid and styrene, 1-methyl-1-phenylethyl hydroperoxide-initiated", "dtxsid": "DTXSID20106699", "dtxcid": null, "casrn": "147923-41-9", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with acrylic acid, bisphenol A, epichlorohydrin, 2-hydroxyethyl acrylate, linoleic acid and styrene, 1-methyl-1-phenylethyl hydroperoxide-initiated", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with acrylic acid, bisphenol A, epichlorohydrin, 2-hydroxyethyl acrylate, linoleic acid and styrene, 1-methyl-1-phenylethyl hydroperoxide-initiated", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, linoleic acid, octadecadienoic acid and trimethylolpropane", "dtxsid": "DTXSID20106775", "dtxcid": null, "casrn": "150739-81-4", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, linoleic acid, octadecadienoic acid and trimethylolpropane", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, linoleic acid, octadecadienoic acid and trimethylolpropane", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A diglycidyl ether-Jeffamine D 230 copolymer", "dtxsid": "DTXSID201069770", "dtxcid": null, "casrn": "110302-44-8", "preferredName": "Bisphenol A diglycidyl ether-Jeffamine D 230 copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A diglycidyl ether-Jeffamine D 230 copolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "tert-Decanoic acid, 2-oxiranylmethyl ester, reaction products with N1-(6-aminohexyl)-1,6-hexanediamine-bisphenol A-epichlorohydrin-2-methyl-1,5-pentanediamine polymer, formates (salts)", "dtxsid": "DTXSID20107141", "dtxcid": null, "casrn": "171599-93-2", "preferredName": "tert-Decanoic acid, 2-oxiranylmethyl ester, reaction products with N1-(6-aminohexyl)-1,6-hexanediamine-bisphenol A-epichlorohydrin-2-methyl-1,5-pentanediamine polymer, formates (salts)", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "tert-Decanoic acid, 2-oxiranylmethyl ester, reaction products with N1-(6-aminohexyl)-1,6-hexanediamine-bisphenol A-epichlorohydrin-2-methyl-1,5-pentanediamine polymer, formates (salts)", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C16-18 and C18-unsatd., polymers with bisphenol A, epichlorohydrin and Ph Pr silsesquioxanes", "dtxsid": "DTXSID20107202", "dtxcid": null, "casrn": "176834-61-0", "preferredName": "Fatty acids, C16-18 and C18-unsatd., polymers with bisphenol A, epichlorohydrin and Ph Pr silsesquioxanes", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C16-18 and C18-unsatd., polymers with bisphenol A, epichlorohydrin and Ph Pr silsesquioxanes", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Resin acids and Rosin acids, calcium salts, polymers with bisphenol A, formaldehyde, glycerol, linseed oil, pentaerythritol, phenol, polymd. linseed oil, rosin and tung oil", "dtxsid": "DTXSID20107343", "dtxcid": null, "casrn": "192888-63-4", "preferredName": "Resin acids and Rosin acids, calcium salts, polymers with bisphenol A, formaldehyde, glycerol, linseed oil, pentaerythritol, phenol, polymd. linseed oil, rosin and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Resin acids and Rosin acids, calcium salts, polymers with bisphenol A, formaldehyde, glycerol, linseed oil, pentaerythritol, phenol, polymd. linseed oil, rosin and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "1-Propanamine, 3-(triethoxysilyl)-, reaction products with bisphenol A diglycidyl ether", "dtxsid": "DTXSID201075250", "dtxcid": null, "casrn": "185630-88-0", "preferredName": "1-Propanamine, 3-(triethoxysilyl)-, reaction products with bisphenol A diglycidyl ether", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "1-Propanamine, 3-(triethoxysilyl)-, reaction products with bisphenol A diglycidyl ether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, formaldehyde and pentaethylenehexamine", "dtxsid": "DTXSID201079664", "dtxcid": null, "casrn": "93685-52-0", "preferredName": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, formaldehyde and pentaethylenehexamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, formaldehyde and pentaethylenehexamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Silsesquioxanes, Ph, methoxy-terminated, polymers with bisphenol A, epichlorohydrin and trimethylolpropane", "dtxsid": "DTXSID20107989", "dtxcid": null, "casrn": "214710-33-5", "preferredName": "Silsesquioxanes, Ph, methoxy-terminated, polymers with bisphenol A, epichlorohydrin and trimethylolpropane", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Silsesquioxanes, Ph, methoxy-terminated, polymers with bisphenol A, epichlorohydrin and trimethylolpropane", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl)amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, 2-hydroxyethyl methacrylate and pentaethylenehexamine", "dtxsid": "DTXSID201079971", "dtxcid": null, "casrn": "122384-76-3", "preferredName": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl)amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, 2-hydroxyethyl methacrylate and pentaethylenehexamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl)amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, 2-hydroxyethyl methacrylate and pentaethylenehexamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, N-(hydroxymethyl)-2-propenamide and pentaethylenehexamine", "dtxsid": "DTXSID201080051", "dtxcid": null, "casrn": "97863-07-5", "preferredName": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, N-(hydroxymethyl)-2-propenamide and pentaethylenehexamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, N-(hydroxymethyl)-2-propenamide and pentaethylenehexamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, N-(hydroxymethyl)-2-propenamide and pentaethylenehexamine", "dtxsid": "DTXSID201080106", "dtxcid": null, "casrn": "97765-68-9", "preferredName": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, N-(hydroxymethyl)-2-propenamide and pentaethylenehexamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, N-(hydroxymethyl)-2-propenamide and pentaethylenehexamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, 2-(dimethylamino)ethyl methacrylate and pentaethylenehexamine", "dtxsid": "DTXSID201080168", "dtxcid": null, "casrn": "91771-45-8", "preferredName": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, 2-(dimethylamino)ethyl methacrylate and pentaethylenehexamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, 2-(dimethylamino)ethyl methacrylate and pentaethylenehexamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, Bu acrylate, epichlorohydrin, methacrylic acid and styrene", "dtxsid": "DTXSID20108037", "dtxcid": null, "casrn": "227472-93-7", "preferredName": "Fatty acids, linseed-oil, polymers with bisphenol A, Bu acrylate, epichlorohydrin, methacrylic acid and styrene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, Bu acrylate, epichlorohydrin, methacrylic acid and styrene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, pentaethylenehexamine and 3-(2-propenyloxy)-1,2-propanediol", "dtxsid": "DTXSID201080370", "dtxcid": null, "casrn": "91745-93-6", "preferredName": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, pentaethylenehexamine and 3-(2-propenyloxy)-1,2-propanediol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, pentaethylenehexamine and 3-(2-propenyloxy)-1,2-propanediol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, pentaethylenehexamine and 3-(2-propenyloxy)-1,2-propanediol", "dtxsid": "DTXSID201080394", "dtxcid": null, "casrn": "91722-75-7", "preferredName": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, pentaethylenehexamine and 3-(2-propenyloxy)-1,2-propanediol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, pentaethylenehexamine and 3-(2-propenyloxy)-1,2-propanediol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Butenoic acid, 4,4′-[(1-methylethylidene)bis(4,1-phenyleneoxy-4,1-phenyleneimino)]bis[4-oxo-, (2Z,2Z)-, cyclized, polymers with bisphenol A, epichlorohydrin and 4,4′-(1-methylethylidene)bis[2,6-dibromophenol]", "dtxsid": "DTXSID201080475", "dtxcid": null, "casrn": "1356138-97-0", "preferredName": "2-Butenoic acid, 4,4′-[(1-methylethylidene)bis(4,1-phenyleneoxy-4,1-phenyleneimino)]bis[4-oxo-, (2Z,2Z)-, cyclized, polymers with bisphenol A, epichlorohydrin and 4,4′-(1-methylethylidene)bis[2,6-dibromophenol]", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Butenoic acid, 4,4′-[(1-methylethylidene)bis(4,1-phenyleneoxy-4,1-phenyleneimino)]bis[4-oxo-, (2Z,2Z)-, cyclized, polymers with bisphenol A, epichlorohydrin and 4,4′-(1-methylethylidene)bis[2,6-dibromophenol]", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Benzoic acid, 2-hydroxy-, reaction products with benzyl alc., bisphenol A-epichlorohydrin polymer and 4,4′-methylenebis[benzenamine]", "dtxsid": "DTXSID201084534", "dtxcid": null, "casrn": "68988-23-8", "preferredName": "Benzoic acid, 2-hydroxy-, reaction products with benzyl alc., bisphenol A-epichlorohydrin polymer and 4,4′-methylenebis[benzenamine]", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Benzoic acid, 2-hydroxy-, reaction products with benzyl alc., bisphenol A-epichlorohydrin polymer and 4,4′-methylenebis[benzenamine]", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A, bisphenol A diglycidyl ether and epichlorohydrin", "dtxsid": "DTXSID20108491", "dtxcid": null, "casrn": "1068657-81-7", "preferredName": "2-Propenenitrile, polymer with 1,3-butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A, bisphenol A diglycidyl ether and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A, bisphenol A diglycidyl ether and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Siloxanes and Silicones, di-Me, 3-(2-hydroxyphenyl)propyl group-terminated, polymers with bisphenol A diglycidyl ether", "dtxsid": "DTXSID20108552", "dtxcid": null, "casrn": "1085997-90-5", "preferredName": "Siloxanes and Silicones, di-Me, 3-(2-hydroxyphenyl)propyl group-terminated, polymers with bisphenol A diglycidyl ether", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Siloxanes and Silicones, di-Me, 3-(2-hydroxyphenyl)propyl group-terminated, polymers with bisphenol A diglycidyl ether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Sulfurous acid, monosodium salt, reaction products with bisphenol A disodium salt and formaldehyde", "dtxsid": "DTXSID201087914", "dtxcid": null, "casrn": "90583-38-3", "preferredName": "Sulfurous acid, monosodium salt, reaction products with bisphenol A disodium salt and formaldehyde", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Sulfurous acid, monosodium salt, reaction products with bisphenol A disodium salt and formaldehyde", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenoic acid, 2-methyl-, polymers with acrylonitrile, bisphenol A, butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated acrylic acid-acrylonitrile-butadiene polymer, 3-carboxy-1-cyano-1-methylpropyl-terminated polybutadiene, epichlorohydrin and 1,5-naphthalenediol", "dtxsid": "DTXSID201340261", "dtxcid": null, "casrn": "191289-03-9", "preferredName": "2-Propenoic acid, 2-methyl-, polymers with acrylonitrile, bisphenol A, butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated acrylic acid-acrylonitrile-butadiene polymer, 3-carboxy-1-cyano-1-methylpropyl-terminated polybutadiene, epichlorohydrin and 1,5-naphthalenediol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenoic acid, 2-methyl-, polymers with acrylonitrile, bisphenol A, butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated acrylic acid-acrylonitrile-butadiene polymer, 3-carboxy-1-cyano-1-methylpropyl-terminated polybutadiene, epichlorohydrin and 1,5-naphthalenediol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, reaction products with triethylenetetramine, polymers with bisphenol A, diethanolamine, N1,N1-dimethyl-1,3-propanediamine, epichlorohydrin and glycidyl neodecanoate, acetates (salts)", "dtxsid": "DTXSID201353135", "dtxcid": null, "casrn": "1446139-72-5", "preferredName": "Fatty acids, tall-oil, reaction products with triethylenetetramine, polymers with bisphenol A, diethanolamine, N1,N1-dimethyl-1,3-propanediamine, epichlorohydrin and glycidyl neodecanoate, acetates (salts)", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, reaction products with triethylenetetramine, polymers with bisphenol A, diethanolamine, N1,N1-dimethyl-1,3-propanediamine, epichlorohydrin and glycidyl neodecanoate, acetates (salts)", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tetrabromobisphenol A diallyl ether", "dtxsid": "DTXSID2029327", "dtxcid": "DTXCID909327", "casrn": "25327-89-3", "preferredName": "Tetrabromobisphenol A diallyl ether", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC(Br)=C(OCC=C)C(Br)=C1)C1=CC(Br)=C(OCC=C)C(Br)=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "Tetrabromobisphenol A diallyl ether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A and epichlorohydrin", "dtxsid": "DTXSID2095570", "dtxcid": null, "casrn": "66070-75-5", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A and epichlorohydrin", "dtxsid": "DTXSID2095572", "dtxcid": null, "casrn": "66070-77-7", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin and soya fatty acids", "dtxsid": "DTXSID2095574", "dtxcid": null, "casrn": "66070-79-9", "preferredName": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin and soya fatty acids", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin and soya fatty acids", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with aniline, bisphenol A, cyclohexylamine and epichlorohydrin", "dtxsid": "DTXSID2095601", "dtxcid": null, "casrn": "66071-09-8", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with aniline, bisphenol A, cyclohexylamine and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with aniline, bisphenol A, cyclohexylamine and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin and succinic anhydride", "dtxsid": "DTXSID2095819", "dtxcid": null, "casrn": "67746-15-0", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin and succinic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin and succinic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with allyl alc., bisphenol A, epichlorohydrin and styrene", "dtxsid": "DTXSID2096966", "dtxcid": null, "casrn": "68132-44-5", "preferredName": "Fatty acids, tall-oil, polymers with allyl alc., bisphenol A, epichlorohydrin and styrene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with allyl alc., bisphenol A, epichlorohydrin and styrene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, maleated, polymer with bisphenol A, formaldehyde and glycerol", "dtxsid": "DTXSID2097142", "dtxcid": null, "casrn": "68152-60-3", "preferredName": "Rosin, maleated, polymer with bisphenol A, formaldehyde and glycerol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, maleated, polymer with bisphenol A, formaldehyde and glycerol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, rosin and soya fatty acids", "dtxsid": "DTXSID2097691", "dtxcid": null, "casrn": "68308-99-6", "preferredName": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, rosin and soya fatty acids", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, rosin and soya fatty acids", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol, rosin and tung oil", "dtxsid": "DTXSID2097724", "dtxcid": null, "casrn": "68309-42-2", "preferredName": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol, rosin and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol, rosin and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, 4-(1,1-dimethylpropyl)phenol, formaldehyde and tung oil", "dtxsid": "DTXSID2098087", "dtxcid": null, "casrn": "68410-48-0", "preferredName": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, 4-(1,1-dimethylpropyl)phenol, formaldehyde and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, 4-(1,1-dimethylpropyl)phenol, formaldehyde and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Soybean oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, isophthalic acid and trimethylolethane", "dtxsid": "DTXSID2098114", "dtxcid": null, "casrn": "68410-85-5", "preferredName": "Soybean oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, isophthalic acid and trimethylolethane", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Soybean oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, isophthalic acid and trimethylolethane", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, polymer with bisphenol A, formaldehyde, glycerol and tung oil", "dtxsid": "DTXSID2098669", "dtxcid": null, "casrn": "68458-66-2", "preferredName": "Rosin, polymer with bisphenol A, formaldehyde, glycerol and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, polymer with bisphenol A, formaldehyde, glycerol and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, vegetable-oil, polymers with bisphenol A, epichlorohydrin and rosin", "dtxsid": "DTXSID2098827", "dtxcid": null, "casrn": "68476-16-4", "preferredName": "Fatty acids, vegetable-oil, polymers with bisphenol A, epichlorohydrin and rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, vegetable-oil, polymers with bisphenol A, epichlorohydrin and rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, polymer with bisphenol A, butylphenol, ethylene glycol, formaldehyde, maleic anhydride, pentaerythritol and rosin, ammonium salt", "dtxsid": "DTXSID2099265", "dtxcid": null, "casrn": "68515-17-3", "preferredName": "Castor oil, polymer with bisphenol A, butylphenol, ethylene glycol, formaldehyde, maleic anhydride, pentaerythritol and rosin, ammonium salt", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, polymer with bisphenol A, butylphenol, ethylene glycol, formaldehyde, maleic anhydride, pentaerythritol and rosin, ammonium salt", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, p-tert-butylphenol, epichlorohydrin and formaldehyde", "dtxsid": "DTXSID2099550", "dtxcid": null, "casrn": "68552-27-2", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, p-tert-butylphenol, epichlorohydrin and formaldehyde", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, p-tert-butylphenol, epichlorohydrin and formaldehyde", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, 3-(dodecen-1-yl)dihydro-2,5-furandione and epichlorohydrin", "dtxsid": "DTXSID2099635", "dtxcid": null, "casrn": "68553-26-4", "preferredName": "Linseed oil, polymer with bisphenol A, 3-(dodecen-1-yl)dihydro-2,5-furandione and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, 3-(dodecen-1-yl)dihydro-2,5-furandione and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, castor-oil, polymers with bisphenol A, epichlorohydrin and rosin", "dtxsid": "DTXSID30100082", "dtxcid": null, "casrn": "68604-49-9", "preferredName": "Fatty acids, castor-oil, polymers with bisphenol A, epichlorohydrin and rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, castor-oil, polymers with bisphenol A, epichlorohydrin and rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin and maleic anhydride", "dtxsid": "DTXSID30100128", "dtxcid": null, "casrn": "68605-08-3", "preferredName": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin and maleic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin and maleic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, dehydrated castor oil, epichlorohydrin and maleic anhydride", "dtxsid": "DTXSID30100168", "dtxcid": null, "casrn": "68605-51-6", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, dehydrated castor oil, epichlorohydrin and maleic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, dehydrated castor oil, epichlorohydrin and maleic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with 1,3-benzenedimethanamine, bisphenol A diglycidyl ether, cashew nutshell liq. glycidyl ethers and polyethylenepolyamines", "dtxsid": "DTXSID301013718", "dtxcid": null, "casrn": "1449215-95-5", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with 1,3-benzenedimethanamine, bisphenol A diglycidyl ether, cashew nutshell liq. glycidyl ethers and polyethylenepolyamines", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with 1,3-benzenedimethanamine, bisphenol A diglycidyl ether, cashew nutshell liq. glycidyl ethers and polyethylenepolyamines", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Siloxanes and Silicones, di-Me, 3-(2-hydroxyphenyl)propyl group-terminated, polymers with 1,4-benzenedicarbonyl dichloride, bisphenol A and carbonic dichloride, 4-(1,1-dimethylethyl)phenyl esters", "dtxsid": "DTXSID301013944", "dtxcid": null, "casrn": "1335044-51-3", "preferredName": "Siloxanes and Silicones, di-Me, 3-(2-hydroxyphenyl)propyl group-terminated, polymers with 1,4-benzenedicarbonyl dichloride, bisphenol A and carbonic dichloride, 4-(1,1-dimethylethyl)phenyl esters", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Siloxanes and Silicones, di-Me, 3-(2-hydroxyphenyl)propyl group-terminated, polymers with 1,4-benzenedicarbonyl dichloride, bisphenol A and carbonic dichloride, 4-(1,1-dimethylethyl)phenyl esters", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, bisphenol A diglycidyl ether, diethylenetriamine, formaldehyde, glycidyl Ph ether and pentaethylenehexamine", "dtxsid": "DTXSID30101539", "dtxcid": null, "casrn": "68915-81-1", "preferredName": "Linseed oil, polymer with bisphenol A, bisphenol A diglycidyl ether, diethylenetriamine, formaldehyde, glycidyl Ph ether and pentaethylenehexamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, bisphenol A diglycidyl ether, diethylenetriamine, formaldehyde, glycidyl Ph ether and pentaethylenehexamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, polymer with bisphenol A, formaldehyde, glycerol, phthalic anhydride and soybean oil", "dtxsid": "DTXSID30102046", "dtxcid": null, "casrn": "68938-48-7", "preferredName": "Rosin, polymer with bisphenol A, formaldehyde, glycerol, phthalic anhydride and soybean oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, polymer with bisphenol A, formaldehyde, glycerol, phthalic anhydride and soybean oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, maleic anhydride and propylene glycol", "dtxsid": "DTXSID30102086", "dtxcid": null, "casrn": "68951-78-0", "preferredName": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, maleic anhydride and propylene glycol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, maleic anhydride and propylene glycol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with benzoic acid, bisphenol A, epichlorohydrin and maleic anhydride", "dtxsid": "DTXSID30102147", "dtxcid": null, "casrn": "68952-58-9", "preferredName": "Fatty acids, linseed-oil, polymers with benzoic acid, bisphenol A, epichlorohydrin and maleic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with benzoic acid, bisphenol A, epichlorohydrin and maleic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A phosphite (1:2)", "dtxsid": "DTXSID301030992", "dtxcid": "DTXCID701516045", "casrn": "25058-17-7", "preferredName": "Bisphenol A phosphite (1:2)", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(OP(O)O)C=C1)C1=CC=C(OP(O)O)C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "Bisphenol A phosphite (1:2)", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with acrylic acid, bisphenol A, epichlorohydrin, 9,11-octadecadienoic acid, 10,12-octadecadienoic acid, oleic acid and styrene", "dtxsid": "DTXSID30103194", "dtxcid": null, "casrn": "70025-01-3", "preferredName": "Fatty acids, linseed-oil, polymers with acrylic acid, bisphenol A, epichlorohydrin, 9,11-octadecadienoic acid, 10,12-octadecadienoic acid, oleic acid and styrene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with acrylic acid, bisphenol A, epichlorohydrin, 9,11-octadecadienoic acid, 10,12-octadecadienoic acid, oleic acid and styrene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Formaldehyde, reaction products with bisphenol A and diethylenetriamine", "dtxsid": "DTXSID30104383", "dtxcid": null, "casrn": "72361-54-7", "preferredName": "Formaldehyde, reaction products with bisphenol A and diethylenetriamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Formaldehyde, reaction products with bisphenol A and diethylenetriamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, castor oil, formaldehyde, glycerol, maleic anhydride, pentaerythritol, phthalic anhydride, rosin and tung oil", "dtxsid": "DTXSID30105532", "dtxcid": null, "casrn": "96278-63-6", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, castor oil, formaldehyde, glycerol, maleic anhydride, pentaerythritol, phthalic anhydride, rosin and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, castor oil, formaldehyde, glycerol, maleic anhydride, pentaerythritol, phthalic anhydride, rosin and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenoic acid, polymer with 1,3-butadiene and 2-propenenitrile, 3-carboxy-1-cyano-1-methylpropyl-terminated, reaction products with bisphenol A diglycidyl ether homopolymer", "dtxsid": "DTXSID30106160", "dtxcid": null, "casrn": "123209-72-3", "preferredName": "2-Propenoic acid, polymer with 1,3-butadiene and 2-propenenitrile, 3-carboxy-1-cyano-1-methylpropyl-terminated, reaction products with bisphenol A diglycidyl ether homopolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenoic acid, polymer with 1,3-butadiene and 2-propenenitrile, 3-carboxy-1-cyano-1-methylpropyl-terminated, reaction products with bisphenol A diglycidyl ether homopolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tung oil, polymer with bisphenol A, p-tert-butylphenol, epichlorohydrin and formaldehyde", "dtxsid": "DTXSID30106206", "dtxcid": null, "casrn": "125303-86-8", "preferredName": "Tung oil, polymer with bisphenol A, p-tert-butylphenol, epichlorohydrin and formaldehyde", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Tung oil, polymer with bisphenol A, p-tert-butylphenol, epichlorohydrin and formaldehyde", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, ethylene-manuf.-by-product dicyclopentadiene-conc. alkenes, ethylene-manuf.-by-product piperylene-cut alkenes and maleic anhydride", "dtxsid": "DTXSID30106483", "dtxcid": null, "casrn": "139168-80-2", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, ethylene-manuf.-by-product dicyclopentadiene-conc. alkenes, ethylene-manuf.-by-product piperylene-cut alkenes and maleic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, ethylene-manuf.-by-product dicyclopentadiene-conc. alkenes, ethylene-manuf.-by-product piperylene-cut alkenes and maleic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2,5-Furandione, reaction products with bisphenol A-epichlorohydrin polymer and methanol", "dtxsid": "DTXSID30106807", "dtxcid": null, "casrn": "151472-30-9", "preferredName": "2,5-Furandione, reaction products with bisphenol A-epichlorohydrin polymer and methanol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2,5-Furandione, reaction products with bisphenol A-epichlorohydrin polymer and methanol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C16-18 and C18-unsatd., polymers with bisphenol A and epichlorohydrin", "dtxsid": "DTXSID30106847", "dtxcid": null, "casrn": "152286-33-4", "preferredName": "Fatty acids, C16-18 and C18-unsatd., polymers with bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C16-18 and C18-unsatd., polymers with bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "1-Piperazineethanamine, reaction products with bisphenol A diglycidyl ether", "dtxsid": "DTXSID30107031", "dtxcid": null, "casrn": "164907-80-6", "preferredName": "1-Piperazineethanamine, reaction products with bisphenol A diglycidyl ether", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "1-Piperazineethanamine, reaction products with bisphenol A diglycidyl ether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, reaction products with bisphenol A and 1-piperazineethanamine", "dtxsid": "DTXSID301074831", "dtxcid": null, "casrn": "93685-72-4", "preferredName": "Fatty acids, tall-oil, reaction products with bisphenol A and 1-piperazineethanamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, reaction products with bisphenol A and 1-piperazineethanamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A, 3-carboxy-1-cyano-1-methylpropyl-terminated polybutadiene and epichlorohydrin", "dtxsid": "DTXSID30107516", "dtxcid": null, "casrn": "201490-15-5", "preferredName": "2-Propenenitrile, polymer with 1,3-butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A, 3-carboxy-1-cyano-1-methylpropyl-terminated polybutadiene and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A, 3-carboxy-1-cyano-1-methylpropyl-terminated polybutadiene and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tall oil, reaction products with bisphenol A diglycidyl ether and 1-piperazineethanamine", "dtxsid": "DTXSID301075360", "dtxcid": null, "casrn": "93334-53-3", "preferredName": "Tall oil, reaction products with bisphenol A diglycidyl ether and 1-piperazineethanamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Tall oil, reaction products with bisphenol A diglycidyl ether and 1-piperazineethanamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A Bu ether, epichlorohydrin and ethylenediamine", "dtxsid": "DTXSID30107571", "dtxcid": null, "casrn": "215660-59-6", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A Bu ether, epichlorohydrin and ethylenediamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A Bu ether, epichlorohydrin and ethylenediamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenoic acid, reaction products with bisphenol A-epichlorohydrin polymer and N-propyl-1-propanamine", "dtxsid": "DTXSID301076794", "dtxcid": null, "casrn": "153270-36-1", "preferredName": "2-Propenoic acid, reaction products with bisphenol A-epichlorohydrin polymer and N-propyl-1-propanamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenoic acid, reaction products with bisphenol A-epichlorohydrin polymer and N-propyl-1-propanamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Formaldehyde, reaction products with bisphenol A, diethylenetriamine, epichlorohydrin and glycidyl tolyl ether", "dtxsid": "DTXSID301077328", "dtxcid": null, "casrn": "1178875-73-4", "preferredName": "Formaldehyde, reaction products with bisphenol A, diethylenetriamine, epichlorohydrin and glycidyl tolyl ether", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Formaldehyde, reaction products with bisphenol A, diethylenetriamine, epichlorohydrin and glycidyl tolyl ether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenoic acid, 2-methyl-, methyl ester, reaction products with polyethylene glycol ether with bisphenol A (2:1)", "dtxsid": "DTXSID301077566", "dtxcid": null, "casrn": "1192143-67-1", "preferredName": "2-Propenoic acid, 2-methyl-, methyl ester, reaction products with polyethylene glycol ether with bisphenol A (2:1)", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenoic acid, 2-methyl-, methyl ester, reaction products with polyethylene glycol ether with bisphenol A (2:1)", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, reaction products with bisphenol A-epichlorohydrin polymer and triethylenetetramine", "dtxsid": "DTXSID301077778", "dtxcid": null, "casrn": "161025-25-8", "preferredName": "Fatty acids, C18-unsatd., dimers, reaction products with bisphenol A-epichlorohydrin polymer and triethylenetetramine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, reaction products with bisphenol A-epichlorohydrin polymer and triethylenetetramine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Alcohols, C10-16, reaction products with 5-amino-1,3,3-trimethylcyclohexanemethanamine and bisphenol A-epichlorohydrin polymer", "dtxsid": "DTXSID301078219", "dtxcid": null, "casrn": "161074-60-8", "preferredName": "Alcohols, C10-16, reaction products with 5-amino-1,3,3-trimethylcyclohexanemethanamine and bisphenol A-epichlorohydrin polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Alcohols, C10-16, reaction products with 5-amino-1,3,3-trimethylcyclohexanemethanamine and bisphenol A-epichlorohydrin polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "9,12-Octadecadienoic acid (9Z,12Z)-, dimer, polymer with 1,2-ethanediamine, reaction products with bisphenol A-epichlorohydrin polymer", "dtxsid": "DTXSID301078621", "dtxcid": null, "casrn": "162492-05-9", "preferredName": "9,12-Octadecadienoic acid (9Z,12Z)-, dimer, polymer with 1,2-ethanediamine, reaction products with bisphenol A-epichlorohydrin polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "9,12-Octadecadienoic acid (9Z,12Z)-, dimer, polymer with 1,2-ethanediamine, reaction products with bisphenol A-epichlorohydrin polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, reaction products with bisphenol A, Bu glycidyl ether, epichlorohydrin and triethylenetetramine", "dtxsid": "DTXSID30107935", "dtxcid": null, "casrn": "186321-95-9", "preferredName": "Fatty acids, tall-oil, reaction products with bisphenol A, Bu glycidyl ether, epichlorohydrin and triethylenetetramine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, reaction products with bisphenol A, Bu glycidyl ether, epichlorohydrin and triethylenetetramine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, 2-hydroxyethyl methacrylate and pentaethylenehexamine", "dtxsid": "DTXSID301080030", "dtxcid": null, "casrn": "93685-92-8", "preferredName": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, 2-hydroxyethyl methacrylate and pentaethylenehexamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, 2-hydroxyethyl methacrylate and pentaethylenehexamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, N-(hydroxymethyl)-2-propenamide and pentaethylenehexamine", "dtxsid": "DTXSID301080123", "dtxcid": null, "casrn": "100085-50-5", "preferredName": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, N-(hydroxymethyl)-2-propenamide and pentaethylenehexamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, N-(hydroxymethyl)-2-propenamide and pentaethylenehexamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, 2-hydroxyethyl methacrylate and pentaethylenehexamine", "dtxsid": "DTXSID301080311", "dtxcid": null, "casrn": "91722-78-0", "preferredName": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, 2-hydroxyethyl methacrylate and pentaethylenehexamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, 2-hydroxyethyl methacrylate and pentaethylenehexamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A, epichlorohydrin and 4,4′-(1-methylethylidene)bis[2,6-dibromophenol], dimethacrylate", "dtxsid": "DTXSID301080361", "dtxcid": null, "casrn": "133911-76-9", "preferredName": "2-Propenenitrile, polymer with 1,3-butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A, epichlorohydrin and 4,4′-(1-methylethylidene)bis[2,6-dibromophenol], dimethacrylate", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A, epichlorohydrin and 4,4′-(1-methylethylidene)bis[2,6-dibromophenol], dimethacrylate", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, reaction products with 21-amino-N-[2-[[2-[[2-[(2-aminoethyl)amino]ethyl]amino]ethyl]amino]ethyl]-9-(1-hydroxynonyl)-9,12,15,18-tetraazaheneicosanamide, bisphenol A, epichlorohydrin and tetraethylenepentamine", "dtxsid": "DTXSID301080709", "dtxcid": null, "casrn": "1179922-63-4", "preferredName": "Fatty acids, tall-oil, reaction products with 21-amino-N-[2-[[2-[[2-[(2-aminoethyl)amino]ethyl]amino]ethyl]amino]ethyl]-9-(1-hydroxynonyl)-9,12,15,18-tetraazaheneicosanamide, bisphenol A, epichlorohydrin and tetraethylenepentamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, reaction products with 21-amino-N-[2-[[2-[[2-[(2-aminoethyl)amino]ethyl]amino]ethyl]amino]ethyl]-9-(1-hydroxynonyl)-9,12,15,18-tetraazaheneicosanamide, bisphenol A, epichlorohydrin and tetraethylenepentamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, bisphenol A diglycidyl ether, Bu acrylate, 2-[(1,1-dimethylethyl)amino]ethyl methacrylate, 2-(dimethylamino)ethyl methacrylate, glycidyl neodecanoate, 2-hydroxyethyl methacrylate and Me methacrylate", "dtxsid": "DTXSID301080828", "dtxcid": null, "casrn": "80206-99-1", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, bisphenol A diglycidyl ether, Bu acrylate, 2-[(1,1-dimethylethyl)amino]ethyl methacrylate, 2-(dimethylamino)ethyl methacrylate, glycidyl neodecanoate, 2-hydroxyethyl methacrylate and Me methacrylate", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, bisphenol A diglycidyl ether, Bu acrylate, 2-[(1,1-dimethylethyl)amino]ethyl methacrylate, 2-(dimethylamino)ethyl methacrylate, glycidyl neodecanoate, 2-hydroxyethyl methacrylate and Me methacrylate", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, carboxy-terminated, polymer with bisphenol A, epichlorohydrin and N-[4-(oxiranylmethoxy)phenyl]-N-(oxiranylmethyl)oxiranemethanamine", "dtxsid": "DTXSID301082155", "dtxcid": null, "casrn": "67873-89-6", "preferredName": "2-Propenenitrile, polymer with 1,3-butadiene, carboxy-terminated, polymer with bisphenol A, epichlorohydrin and N-[4-(oxiranylmethoxy)phenyl]-N-(oxiranylmethyl)oxiranemethanamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, carboxy-terminated, polymer with bisphenol A, epichlorohydrin and N-[4-(oxiranylmethoxy)phenyl]-N-(oxiranylmethyl)oxiranemethanamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A-carbonic acid-4,4′-(3,3,5-trimethylcyclohexylidene)diphenol copolymer", "dtxsid": "DTXSID301090043", "dtxcid": null, "casrn": "132721-26-7", "preferredName": "Bisphenol A-carbonic acid-4,4′-(3,3,5-trimethylcyclohexylidene)diphenol copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A-carbonic acid-4,4′-(3,3,5-trimethylcyclohexylidene)diphenol copolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A diglycidyl ether-4,4′-diaminodicyclohexylmethane copolymer", "dtxsid": "DTXSID301091596", "dtxcid": null, "casrn": "82077-32-5", "preferredName": "Bisphenol A diglycidyl ether-4,4′-diaminodicyclohexylmethane copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A diglycidyl ether-4,4′-diaminodicyclohexylmethane copolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Aniline-bisphenol A-formaldehyde copolymer", "dtxsid": "DTXSID301095348", "dtxcid": null, "casrn": "38806-75-6", "preferredName": "Aniline-bisphenol A-formaldehyde copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Aniline-bisphenol A-formaldehyde copolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "1,4-Benzenedicarboxylic acid, polymers with bisphenol A, caprolactam-blocked 5-isocyanato-1-(isocyanatomethyl)-1,3,3-trimethylcyclohexane-trimethylolpropane polymer, epichlorohydrin, 4,4'-methylenebis[benzenamine], triethylene glycol, trimellitic anhydride and 1,3,5-tris(2-hydroxyethyl)-1,3,5-triazine-2,4,6(1H,3H,5H)-trione", "dtxsid": "DTXSID301340195", "dtxcid": null, "casrn": "99811-84-4", "preferredName": "1,4-Benzenedicarboxylic acid, polymers with bisphenol A, caprolactam-blocked 5-isocyanato-1-(isocyanatomethyl)-1,3,3-trimethylcyclohexane-trimethylolpropane polymer, epichlorohydrin, 4,4'-methylenebis[benzenamine], triethylene glycol, trimellitic anhydride and 1,3,5-tris(2-hydroxyethyl)-1,3,5-triazine-2,4,6(1H,3H,5H)-trione", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "1,4-Benzenedicarboxylic acid, polymers with bisphenol A, caprolactam-blocked 5-isocyanato-1-(isocyanatomethyl)-1,3,3-trimethylcyclohexane-trimethylolpropane polymer, epichlorohydrin, 4,4'-methylenebis[benzenamine], triethylene glycol, trimellitic anhydride and 1,3,5-tris(2-hydroxyethyl)-1,3,5-triazine-2,4,6(1H,3H,5H)-trione", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenoic acid, polymers with 1,3-butadiene and 2-propenenitrile, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A, bisphenol A diglycidyl ether, formaldehyde-phenol polymer glycidyl ether, 4,4'-(1-methylethylidene)bis[2,6-dibromophenol] and 2,2'-[1,3-phenylenebis(oxymethylene)]bis[oxirane]", "dtxsid": "DTXSID301340264", "dtxcid": null, "casrn": "1471997-95-1", "preferredName": "2-Propenoic acid, polymers with 1,3-butadiene and 2-propenenitrile, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A, bisphenol A diglycidyl ether, formaldehyde-phenol polymer glycidyl ether, 4,4'-(1-methylethylidene)bis[2,6-dibromophenol] and 2,2'-[1,3-phenylenebis(oxymethylene)]bis[oxirane]", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenoic acid, polymers with 1,3-butadiene and 2-propenenitrile, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A, bisphenol A diglycidyl ether, formaldehyde-phenol polymer glycidyl ether, 4,4'-(1-methylethylidene)bis[2,6-dibromophenol] and 2,2'-[1,3-phenylenebis(oxymethylene)]bis[oxirane]", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, dehydrated, polymer with bisphenol A, p-tert-butylphenol, dicyclopentadiene, formaldehyde, linseed oil and (4.alpha.,8.alpha.,12.alpha.,13R,14R)-16-(1-methylethyl)-17,19-dinoratis-15-ene-4,13,14-tricarboxylic acid cyclic 13,14-anhydride ester with pentaerythritol", "dtxsid": "DTXSID301340307", "dtxcid": null, "casrn": "96470-89-2", "preferredName": "Castor oil, dehydrated, polymer with bisphenol A, p-tert-butylphenol, dicyclopentadiene, formaldehyde, linseed oil and (4.alpha.,8.alpha.,12.alpha.,13R,14R)-16-(1-methylethyl)-17,19-dinoratis-15-ene-4,13,14-tricarboxylic acid cyclic 13,14-anhydride ester with pentaerythritol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, dehydrated, polymer with bisphenol A, p-tert-butylphenol, dicyclopentadiene, formaldehyde, linseed oil and (4.alpha.,8.alpha.,12.alpha.,13R,14R)-16-(1-methylethyl)-17,19-dinoratis-15-ene-4,13,14-tricarboxylic acid cyclic 13,14-anhydride ester with pentaerythritol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin polymer with bisphenol A formaldehyde maleic anhydride pentaerythritol and tall oil calcium zinc salts", "dtxsid": "DTXSID301343137", "dtxcid": null, "casrn": "158061-51-9", "preferredName": "Rosin polymer with bisphenol A formaldehyde maleic anhydride pentaerythritol and tall oil calcium zinc salts", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin polymer with bisphenol A formaldehyde maleic anhydride pentaerythritol and tall oil calcium zinc salts", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Methyl mercuric (II) chloride + Bisphenol A (1:100 molarity)", "dtxsid": "DTXSID301354867", "dtxcid": null, "casrn": "NOCAS_1354867", "preferredName": "Methyl mercuric (II) chloride + Bisphenol A (1:100 molarity)", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Methyl mercuric (II) chloride + Bisphenol A (1:100 molarity)", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2,2',6,6'-Tetrachlorobisphenol A", "dtxsid": "DTXSID3021770", "dtxcid": "DTXCID601770", "casrn": "79-95-8", "preferredName": "2,2',6,6'-Tetrachlorobisphenol A", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC(Cl)=C(O)C(Cl)=C1)C1=CC(Cl)=C(O)C(Cl)=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "2,2',6,6'-Tetrachlorobisphenol A", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tetrabromobisphenol A-bis(2,3-dibromopropyl ether)", "dtxsid": "DTXSID3032129", "dtxcid": "DTXCID1012129", "casrn": "21850-44-2", "preferredName": "Tetrabromobisphenol A-bis(2,3-dibromopropyl ether)", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC(Br)=C(OCC(Br)CBr)C(Br)=C1)C1=CC(Br)=C(OCC(Br)CBr)C(Br)=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "Tetrabromobisphenol A-bis(2,3-dibromopropyl ether)", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Formaldehyde, polymer with bisphenol A", "dtxsid": "DTXSID3049627", "dtxcid": null, "casrn": "25085-75-0", "preferredName": "Formaldehyde, polymer with bisphenol A", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Formaldehyde, polymer with bisphenol A", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with adipic acid, bisphenol A, epichlorohydrin and trimellitic anhydride, ammonium salts", "dtxsid": "DTXSID3095646", "dtxcid": null, "casrn": "66071-59-8", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with adipic acid, bisphenol A, epichlorohydrin and trimellitic anhydride, ammonium salts", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with adipic acid, bisphenol A, epichlorohydrin and trimellitic anhydride, ammonium salts", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tall oil, polymer with bisphenol A, epichlorohydrin, glycerol and phthalic anhydride", "dtxsid": "DTXSID3095804", "dtxcid": null, "casrn": "67745-98-6", "preferredName": "Tall oil, polymer with bisphenol A, epichlorohydrin, glycerol and phthalic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Tall oil, polymer with bisphenol A, epichlorohydrin, glycerol and phthalic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, safflower-oil, polymers with bisphenol A, epichlorohydrin and phthalic anhydride", "dtxsid": "DTXSID3095806", "dtxcid": null, "casrn": "67746-01-4", "preferredName": "Fatty acids, safflower-oil, polymers with bisphenol A, epichlorohydrin and phthalic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, safflower-oil, polymers with bisphenol A, epichlorohydrin and phthalic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, maleated, polymer with bisphenol A and formaldehyde", "dtxsid": "DTXSID3097470", "dtxcid": null, "casrn": "68188-63-6", "preferredName": "Rosin, maleated, polymer with bisphenol A and formaldehyde", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, maleated, polymer with bisphenol A and formaldehyde", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, butadiene, tert-dodecylmercaptan, epichlorohydrin, maleic anhydride and styrene, compd. with triethylamine", "dtxsid": "DTXSID3097840", "dtxcid": null, "casrn": "68333-75-5", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, butadiene, tert-dodecylmercaptan, epichlorohydrin, maleic anhydride and styrene, compd. with triethylamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, butadiene, tert-dodecylmercaptan, epichlorohydrin, maleic anhydride and styrene, compd. with triethylamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with triethylenetetramine, reaction products with poly(bisphenol A diglycidyl ether)", "dtxsid": "DTXSID3098236", "dtxcid": null, "casrn": "68424-41-9", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with triethylenetetramine, reaction products with poly(bisphenol A diglycidyl ether)", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with triethylenetetramine, reaction products with poly(bisphenol A diglycidyl ether)", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with acrylic acid, bisphenol A, epichlorohydrin, 2-hydroxyethyl acrylate, styrene and tall-oil fatty acids", "dtxsid": "DTXSID3098735", "dtxcid": null, "casrn": "68459-45-0", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with acrylic acid, bisphenol A, epichlorohydrin, 2-hydroxyethyl acrylate, styrene and tall-oil fatty acids", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with acrylic acid, bisphenol A, epichlorohydrin, 2-hydroxyethyl acrylate, styrene and tall-oil fatty acids", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, p-tert-butylbenzoic acid, epichlorohydrin and tall-oil fatty acids", "dtxsid": "DTXSID3099549", "dtxcid": null, "casrn": "68552-26-1", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, p-tert-butylbenzoic acid, epichlorohydrin and tall-oil fatty acids", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, p-tert-butylbenzoic acid, epichlorohydrin and tall-oil fatty acids", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, rosin and tung oil", "dtxsid": "DTXSID40100174", "dtxcid": null, "casrn": "68605-57-2", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, rosin and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, rosin and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, polymer with bisphenol A, butylphenol and formaldehyde", "dtxsid": "DTXSID40100316", "dtxcid": null, "casrn": "68607-46-5", "preferredName": "Rosin, polymer with bisphenol A, butylphenol and formaldehyde", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, polymer with bisphenol A, butylphenol and formaldehyde", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A and epichlorohydrin", "dtxsid": "DTXSID40100755", "dtxcid": null, "casrn": "68649-94-5", "preferredName": "Linseed oil, polymer with bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Sulfurous acid, sodium salt (1:1), reaction products with bisphenol A-epichlorohydrin-formaldehyde polymer", "dtxsid": "DTXSID40101282", "dtxcid": null, "casrn": "68908-47-4", "preferredName": "Sulfurous acid, sodium salt (1:1), reaction products with bisphenol A-epichlorohydrin-formaldehyde polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Sulfurous acid, sodium salt (1:1), reaction products with bisphenol A-epichlorohydrin-formaldehyde polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2,5-Furandione, reaction products with bisphenol A-epichlorohydrin polymer methacrylate", "dtxsid": "DTXSID40101323", "dtxcid": null, "casrn": "68909-48-8", "preferredName": "2,5-Furandione, reaction products with bisphenol A-epichlorohydrin polymer methacrylate", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2,5-Furandione, reaction products with bisphenol A-epichlorohydrin polymer methacrylate", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall oil, polymers with 21-amino-N-[2-[[2-[[2-[(2-aminoethyl)amino]ethyl]amino]ethyl]amino]ethyl]-9-(1-hydroxynonyl)-10,13,16,19-tetraazaheneicosanamide, bisphenol A diglycidyl ether and tetraethylenepentamine", "dtxsid": "DTXSID401014076", "dtxcid": null, "casrn": "144348-89-0", "preferredName": "Fatty acids, tall oil, polymers with 21-amino-N-[2-[[2-[[2-[(2-aminoethyl)amino]ethyl]amino]ethyl]amino]ethyl]-9-(1-hydroxynonyl)-10,13,16,19-tetraazaheneicosanamide, bisphenol A diglycidyl ether and tetraethylenepentamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall oil, polymers with 21-amino-N-[2-[[2-[[2-[(2-aminoethyl)amino]ethyl]amino]ethyl]amino]ethyl]-9-(1-hydroxynonyl)-10,13,16,19-tetraazaheneicosanamide, bisphenol A diglycidyl ether and tetraethylenepentamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, cyclopentadiene, epichlorohydrin, ethylene glycol and maleic anhydride", "dtxsid": "DTXSID40102092", "dtxcid": null, "casrn": "68951-84-8", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, cyclopentadiene, epichlorohydrin, ethylene glycol and maleic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, cyclopentadiene, epichlorohydrin, ethylene glycol and maleic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, vegetable-oil, polymers with benzoic acid, bisphenol A, epichlorohydrin, trimellitic anhydride and trimethylolethane", "dtxsid": "DTXSID40102375", "dtxcid": null, "casrn": "68956-45-6", "preferredName": "Fatty acids, vegetable-oil, polymers with benzoic acid, bisphenol A, epichlorohydrin, trimellitic anhydride and trimethylolethane", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, vegetable-oil, polymers with benzoic acid, bisphenol A, epichlorohydrin, trimellitic anhydride and trimethylolethane", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Propanoic acid, 2-hydroxy-, compd. with 2-(dimethylamino)ethanol-quaternized bisphenol A-epichlorohydrin-polypropylene glycol polymer", "dtxsid": "DTXSID40102572", "dtxcid": null, "casrn": "68988-88-5", "preferredName": "Propanoic acid, 2-hydroxy-, compd. with 2-(dimethylamino)ethanol-quaternized bisphenol A-epichlorohydrin-polypropylene glycol polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Propanoic acid, 2-hydroxy-, compd. with 2-(dimethylamino)ethanol-quaternized bisphenol A-epichlorohydrin-polypropylene glycol polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, bisphenol A diglycidyl ether, tall oil and TDI", "dtxsid": "DTXSID40102633", "dtxcid": null, "casrn": "68989-84-4", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, bisphenol A diglycidyl ether, tall oil and TDI", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, bisphenol A diglycidyl ether, tall oil and TDI", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, C18-unsatd. fatty acid trimers and epichlorohydrin", "dtxsid": "DTXSID40102759", "dtxcid": null, "casrn": "68991-71-9", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, C18-unsatd. fatty acid trimers and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, C18-unsatd. fatty acid trimers and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, pentaerythritol and tung oil, zinc salt", "dtxsid": "DTXSID40102931", "dtxcid": null, "casrn": "69013-14-5", "preferredName": "Rosin, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, pentaerythritol and tung oil, zinc salt", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, pentaerythritol and tung oil, zinc salt", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, reaction products with bisphenol A diglycidyl ether", "dtxsid": "DTXSID40103024", "dtxcid": null, "casrn": "69155-35-7", "preferredName": "Fatty acids, C18-unsatd., dimers, reaction products with bisphenol A diglycidyl ether", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, reaction products with bisphenol A diglycidyl ether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, butadiene, epichlorohydrin and maleic anhydride", "dtxsid": "DTXSID40103640", "dtxcid": null, "casrn": "70913-97-2", "preferredName": "Fatty acids, linseed-oil, polymers with bisphenol A, butadiene, epichlorohydrin and maleic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, butadiene, epichlorohydrin and maleic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with acrylic acid, bisphenol A, epichlorohydrin, safflower-oil fatty acids and styrene", "dtxsid": "DTXSID40104778", "dtxcid": null, "casrn": "73296-97-6", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with acrylic acid, bisphenol A, epichlorohydrin, safflower-oil fatty acids and styrene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with acrylic acid, bisphenol A, epichlorohydrin, safflower-oil fatty acids and styrene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, diethylenetriamine, epichlorohydrin and triethylenetetramine", "dtxsid": "DTXSID40104814", "dtxcid": null, "casrn": "73807-20-2", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, diethylenetriamine, epichlorohydrin and triethylenetetramine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, diethylenetriamine, epichlorohydrin and triethylenetetramine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Amines, coco alkyl, polymers with bisphenol A, 1,4-butanediol, diethylenetriamine, epichlorohydrin, 3-mercaptopropionic acid and 2-(methylamino)ethanol, glycolates (salts)", "dtxsid": "DTXSID40105503", "dtxcid": null, "casrn": "96097-24-4", "preferredName": "Amines, coco alkyl, polymers with bisphenol A, 1,4-butanediol, diethylenetriamine, epichlorohydrin, 3-mercaptopropionic acid and 2-(methylamino)ethanol, glycolates (salts)", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Amines, coco alkyl, polymers with bisphenol A, 1,4-butanediol, diethylenetriamine, epichlorohydrin, 3-mercaptopropionic acid and 2-(methylamino)ethanol, glycolates (salts)", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Guanidine, N-cyano-, reaction products with bisphenol A-epichlorohydrin polymer, N-cyanocyanamide and 2-methyl-1H-imidazole", "dtxsid": "DTXSID40105624", "dtxcid": null, "casrn": "97043-86-2", "preferredName": "Guanidine, N-cyano-, reaction products with bisphenol A-epichlorohydrin polymer, N-cyanocyanamide and 2-methyl-1H-imidazole", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Guanidine, N-cyano-, reaction products with bisphenol A-epichlorohydrin polymer, N-cyanocyanamide and 2-methyl-1H-imidazole", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, tall-oil fatty acids, tetraethylenepentamine and triethylenetetramine", "dtxsid": "DTXSID40105886", "dtxcid": null, "casrn": "106906-26-7", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, tall-oil fatty acids, tetraethylenepentamine and triethylenetetramine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, tall-oil fatty acids, tetraethylenepentamine and triethylenetetramine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol, phthalic anhydride, rosin and tung oil", "dtxsid": "DTXSID40106156", "dtxcid": null, "casrn": "123209-65-4", "preferredName": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol, phthalic anhydride, rosin and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol, phthalic anhydride, rosin and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with allyl alc., bisphenol A, epichlorohydrin, linoleic acid, octadecadienoic acid and styrene", "dtxsid": "DTXSID40106772", "dtxcid": null, "casrn": "150739-78-9", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with allyl alc., bisphenol A, epichlorohydrin, linoleic acid, octadecadienoic acid and styrene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with allyl alc., bisphenol A, epichlorohydrin, linoleic acid, octadecadienoic acid and styrene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, polymer with benzoic acid, bisphenol A, p-tert-butylphenol, ethylene glycol, formaldehyde, pentaerythritol, phthalic anhydride and soybean oil", "dtxsid": "DTXSID40107325", "dtxcid": null, "casrn": "192726-59-3", "preferredName": "Rosin, polymer with benzoic acid, bisphenol A, p-tert-butylphenol, ethylene glycol, formaldehyde, pentaerythritol, phthalic anhydride and soybean oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, polymer with benzoic acid, bisphenol A, p-tert-butylphenol, ethylene glycol, formaldehyde, pentaerythritol, phthalic anhydride and soybean oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with acrylic acid, bisphenol A, epichlorohydrin, 2-hydroxyethyl acrylate, linoleic acid and styrene", "dtxsid": "DTXSID40107380", "dtxcid": null, "casrn": "193766-17-5", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with acrylic acid, bisphenol A, epichlorohydrin, 2-hydroxyethyl acrylate, linoleic acid and styrene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with acrylic acid, bisphenol A, epichlorohydrin, 2-hydroxyethyl acrylate, linoleic acid and styrene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, maleated, reaction products with bisphenol A, formaldehyde and pentaerythritol", "dtxsid": "DTXSID401074977", "dtxcid": null, "casrn": "91081-50-4", "preferredName": "Rosin, maleated, reaction products with bisphenol A, formaldehyde and pentaerythritol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, maleated, reaction products with bisphenol A, formaldehyde and pentaerythritol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "1,3-Isobenzofurandione, 3a,4,7,7a-tetrahydro-, reaction products with bisphenol A and methylenebis[phenol]", "dtxsid": "DTXSID401077052", "dtxcid": null, "casrn": "90412-42-3", "preferredName": "1,3-Isobenzofurandione, 3a,4,7,7a-tetrahydro-, reaction products with bisphenol A and methylenebis[phenol]", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "1,3-Isobenzofurandione, 3a,4,7,7a-tetrahydro-, reaction products with bisphenol A and methylenebis[phenol]", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Cashew, nutshell liq., polymd., polymer with bisphenol A, epichlorohydrin, ethylenediamine and formaldehyde", "dtxsid": "DTXSID401077088", "dtxcid": null, "casrn": "428838-31-7", "preferredName": "Cashew, nutshell liq., polymd., polymer with bisphenol A, epichlorohydrin, ethylenediamine and formaldehyde", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Cashew, nutshell liq., polymd., polymer with bisphenol A, epichlorohydrin, ethylenediamine and formaldehyde", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, reaction products with bisphenol A-epichlorohydrin polymer and diethylenetriamine", "dtxsid": "DTXSID401077614", "dtxcid": null, "casrn": "161025-27-0", "preferredName": "Fatty acids, C18-unsatd., dimers, reaction products with bisphenol A-epichlorohydrin polymer and diethylenetriamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, reaction products with bisphenol A-epichlorohydrin polymer and diethylenetriamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with benzoic acid, bisphenol A, p-tert-butylphenol, formaldehyde, pentaerythritol and phthalic anhydride", "dtxsid": "DTXSID401078674", "dtxcid": null, "casrn": "96278-62-5", "preferredName": "Fatty acids, tall-oil, polymers with benzoic acid, bisphenol A, p-tert-butylphenol, formaldehyde, pentaerythritol and phthalic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with benzoic acid, bisphenol A, p-tert-butylphenol, formaldehyde, pentaerythritol and phthalic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, 1,1′,1′′-(1,2,3-propanetriyl) tris[12-(2-oxiranylmethoxy)-9-octadecenoate] and tall-oil fatty acids", "dtxsid": "DTXSID401079939", "dtxcid": null, "casrn": "125303-82-4", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, 1,1′,1′′-(1,2,3-propanetriyl) tris[12-(2-oxiranylmethoxy)-9-octadecenoate] and tall-oil fatty acids", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, 1,1′,1′′-(1,2,3-propanetriyl) tris[12-(2-oxiranylmethoxy)-9-octadecenoate] and tall-oil fatty acids", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Phenol, 2-methyl-, reaction products with 5-amino-1,3,3-trimethylcyclohexanemethanamine, bisphenol A, epichlorohydrin, octahydro-4,7-methano-1H-indenedimethanamine and trimethyl-1,6-hexanediamine", "dtxsid": "DTXSID401080283", "dtxcid": null, "casrn": "1185762-71-3", "preferredName": "Phenol, 2-methyl-, reaction products with 5-amino-1,3,3-trimethylcyclohexanemethanamine, bisphenol A, epichlorohydrin, octahydro-4,7-methano-1H-indenedimethanamine and trimethyl-1,6-hexanediamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Phenol, 2-methyl-, reaction products with 5-amino-1,3,3-trimethylcyclohexanemethanamine, bisphenol A, epichlorohydrin, octahydro-4,7-methano-1H-indenedimethanamine and trimethyl-1,6-hexanediamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, pentaethylenehexamine and 3-(2-propenyloxy)-1,2-propanediol", "dtxsid": "DTXSID401080352", "dtxcid": null, "casrn": "91722-30-4", "preferredName": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, pentaethylenehexamine and 3-(2-propenyloxy)-1,2-propanediol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, pentaethylenehexamine and 3-(2-propenyloxy)-1,2-propanediol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenoic acid, polymer with 1,3-butadiene and 2-propenenitrile, reaction products with bisphenol A-epichlorohydrin polymer, 3-carboxy-1-cyano-1-methylpropyl-terminated polybutadiene and 4,4′-sulfonylbis[benzenamine]", "dtxsid": "DTXSID401081231", "dtxcid": null, "casrn": "68649-64-9", "preferredName": "2-Propenoic acid, polymer with 1,3-butadiene and 2-propenenitrile, reaction products with bisphenol A-epichlorohydrin polymer, 3-carboxy-1-cyano-1-methylpropyl-terminated polybutadiene and 4,4′-sulfonylbis[benzenamine]", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenoic acid, polymer with 1,3-butadiene and 2-propenenitrile, reaction products with bisphenol A-epichlorohydrin polymer, 3-carboxy-1-cyano-1-methylpropyl-terminated polybutadiene and 4,4′-sulfonylbis[benzenamine]", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Nonanedioic acid, polymers with bisphenol A, epichlorohydrin, formaldehyde-phenol polymer glycidyl ether, 4,4′-(1-methylethylidene)bis[2,6-dibromophenol] and neopentyl glycol", "dtxsid": "DTXSID401082308", "dtxcid": null, "casrn": "97043-89-5", "preferredName": "Nonanedioic acid, polymers with bisphenol A, epichlorohydrin, formaldehyde-phenol polymer glycidyl ether, 4,4′-(1-methylethylidene)bis[2,6-dibromophenol] and neopentyl glycol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Nonanedioic acid, polymers with bisphenol A, epichlorohydrin, formaldehyde-phenol polymer glycidyl ether, 4,4′-(1-methylethylidene)bis[2,6-dibromophenol] and neopentyl glycol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Benzoic acid, 2-hydroxy-, reaction products with bisphenol A diglycidyl ether, Bu glycidyl ether, diethylenetriamine, hexamethylenediamine and 2,4,6-tris(dimethylamino)phenol", "dtxsid": "DTXSID401082322", "dtxcid": null, "casrn": "84066-77-3", "preferredName": "Benzoic acid, 2-hydroxy-, reaction products with bisphenol A diglycidyl ether, Bu glycidyl ether, diethylenetriamine, hexamethylenediamine and 2,4,6-tris(dimethylamino)phenol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Benzoic acid, 2-hydroxy-, reaction products with bisphenol A diglycidyl ether, Bu glycidyl ether, diethylenetriamine, hexamethylenediamine and 2,4,6-tris(dimethylamino)phenol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Siloxanes and Silicones, di-Me, 10-carboxydecyl group-terminated, polymers with bisphenol A diglycidyl ether", "dtxsid": "DTXSID40108857", "dtxcid": null, "casrn": "217448-17-4", "preferredName": "Siloxanes and Silicones, di-Me, 10-carboxydecyl group-terminated, polymers with bisphenol A diglycidyl ether", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Siloxanes and Silicones, di-Me, 10-carboxydecyl group-terminated, polymers with bisphenol A diglycidyl ether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsat., dimers, polymers with bisphenol A diglycidyl ether, formaldehyde, phenol, tall-oil fatty acids and triethylenetetramine", "dtxsid": "DTXSID401342801", "dtxcid": null, "casrn": "1604813-36-6", "preferredName": "Fatty acids, C18-unsat., dimers, polymers with bisphenol A diglycidyl ether, formaldehyde, phenol, tall-oil fatty acids and triethylenetetramine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsat., dimers, polymers with bisphenol A diglycidyl ether, formaldehyde, phenol, tall-oil fatty acids and triethylenetetramine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tetrabromobisphenol A bis(2-hydroxyethyl) ether", "dtxsid": "DTXSID4038922", "dtxcid": "DTXCID2018922", "casrn": "4162-45-2", "preferredName": "Tetrabromobisphenol A bis(2-hydroxyethyl) ether", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC(Br)=C(OCCO)C(Br)=C1)C1=CC(Br)=C(OCCO)C(Br)=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "Tetrabromobisphenol A bis(2-hydroxyethyl) ether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A propoxylate glycerolate diacrylate", "dtxsid": "DTXSID40400126", "dtxcid": "DTXCID10350982", "casrn": "105650-05-3", "preferredName": "Bisphenol A propoxylate glycerolate diacrylate", "hasStructureImage": 1, "smiles": "CC(COC1=CC=C(C=C1)C(C)(C)C1=CC=C(OCC(C)OCC(O)COC(=O)C=C)C=C1)OCC(O)COC(=O)C=C", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "Bisphenol A propoxylate glycerolate diacrylate", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A-d16", "dtxsid": "DTXSID40583721", "dtxcid": "DTXCID50534486", "casrn": "96210-87-6", "preferredName": "Bisphenol A-d16", "hasStructureImage": 1, "smiles": "[2H]OC1=C([2H])C([2H])=C(C([2H])=C1[2H])C(C1=C([2H])C([2H])=C(O[2H])C([2H])=C1[2H])(C([2H])([2H])[2H])C([2H])([2H])[2H]", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "Bisphenol A-d16", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A-Bisphenol A diglycidyl ether polymer", "dtxsid": "DTXSID40892229", "dtxcid": null, "casrn": "25036-25-3", "preferredName": "Bisphenol A-Bisphenol A diglycidyl ether polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A-Bisphenol A diglycidyl ether polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, dimers, polymers with bisphenol A and bisphenol A diglycidyl ether", "dtxsid": "DTXSID4096651", "dtxcid": null, "casrn": "68082-36-0", "preferredName": "Fatty acids, tall-oil, dimers, polymers with bisphenol A and bisphenol A diglycidyl ether", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, dimers, polymers with bisphenol A and bisphenol A diglycidyl ether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, bisphenol A diglycidyl ether and trimellitic anhydride", "dtxsid": "DTXSID4096659", "dtxcid": null, "casrn": "68082-47-3", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, bisphenol A diglycidyl ether and trimellitic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, bisphenol A diglycidyl ether and trimellitic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, 4-butylphenol, formaldehyde, glycerol, oiticica oil and tung oil", "dtxsid": "DTXSID4096819", "dtxcid": null, "casrn": "68122-92-9", "preferredName": "Linseed oil, polymer with bisphenol A, 4-butylphenol, formaldehyde, glycerol, oiticica oil and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, 4-butylphenol, formaldehyde, glycerol, oiticica oil and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and trimellitic anhydride", "dtxsid": "DTXSID4097045", "dtxcid": null, "casrn": "68139-40-2", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and trimellitic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and trimellitic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, fumarated, polymer with bisphenol A, p-tert-butylphenol, formaldehyde and pentaerythritol", "dtxsid": "DTXSID4097128", "dtxcid": null, "casrn": "68152-46-5", "preferredName": "Rosin, fumarated, polymer with bisphenol A, p-tert-butylphenol, formaldehyde and pentaerythritol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, fumarated, polymer with bisphenol A, p-tert-butylphenol, formaldehyde and pentaerythritol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, dehydrated, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, linseed oil and tung oil", "dtxsid": "DTXSID4097257", "dtxcid": null, "casrn": "68154-12-1", "preferredName": "Castor oil, dehydrated, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, linseed oil and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, dehydrated, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, linseed oil and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, soya, polymers with bisphenol A, epichlorohydrin, 1,6-hexanediol and rosin", "dtxsid": "DTXSID4097542", "dtxcid": null, "casrn": "68213-37-6", "preferredName": "Fatty acids, soya, polymers with bisphenol A, epichlorohydrin, 1,6-hexanediol and rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, soya, polymers with bisphenol A, epichlorohydrin, 1,6-hexanediol and rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, conjugated, polymers with bisphenol A and epichlorohydrin", "dtxsid": "DTXSID4097704", "dtxcid": null, "casrn": "68309-14-8", "preferredName": "Fatty acids, tall-oil, conjugated, polymers with bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, conjugated, polymers with bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin and vegetable-oil fatty acids", "dtxsid": "DTXSID4098067", "dtxcid": null, "casrn": "68410-25-3", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin and vegetable-oil fatty acids", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin and vegetable-oil fatty acids", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, carboxy-terminated, polymer with bisphenol A, epichlorohydrin and 1,5-naphthalenediol", "dtxsid": "DTXSID4098516", "dtxcid": null, "casrn": "68442-35-3", "preferredName": "2-Propenenitrile, polymer with 1,3-butadiene, carboxy-terminated, polymer with bisphenol A, epichlorohydrin and 1,5-naphthalenediol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, carboxy-terminated, polymer with bisphenol A, epichlorohydrin and 1,5-naphthalenediol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, dehydrated, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, fumaric acid, maleic acid, pentaerythritol and rosin", "dtxsid": "DTXSID4098568", "dtxcid": null, "casrn": "68443-14-1", "preferredName": "Castor oil, dehydrated, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, fumaric acid, maleic acid, pentaerythritol and rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, dehydrated, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, fumaric acid, maleic acid, pentaerythritol and rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, dipentaerythritol, formaldehyde, fumaric acid, glycerol, nonylphenol and rosin", "dtxsid": "DTXSID4098691", "dtxcid": null, "casrn": "68458-94-6", "preferredName": "Linseed oil, polymer with bisphenol A, dipentaerythritol, formaldehyde, fumaric acid, glycerol, nonylphenol and rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, dipentaerythritol, formaldehyde, fumaric acid, glycerol, nonylphenol and rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Resin acids and Rosin acids, Me esters, polymd., polymer with bisphenol A, formaldehyde, glycerol, isophthalic acid, linseed oil, rosin and trimethylolpropane", "dtxsid": "DTXSID4098693", "dtxcid": null, "casrn": "68458-96-8", "preferredName": "Resin acids and Rosin acids, Me esters, polymd., polymer with bisphenol A, formaldehyde, glycerol, isophthalic acid, linseed oil, rosin and trimethylolpropane", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Resin acids and Rosin acids, Me esters, polymd., polymer with bisphenol A, formaldehyde, glycerol, isophthalic acid, linseed oil, rosin and trimethylolpropane", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, formaldehyde, glycerol, rosin and tung oil", "dtxsid": "DTXSID4098695", "dtxcid": null, "casrn": "68458-98-0", "preferredName": "Linseed oil, polymer with bisphenol A, formaldehyde, glycerol, rosin and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, formaldehyde, glycerol, rosin and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "1,3-Isobenzofurandione, hexahydro-, reaction products with bisphenol A-epichlorohydrin polymer", "dtxsid": "DTXSID4099031", "dtxcid": null, "casrn": "68511-82-0", "preferredName": "1,3-Isobenzofurandione, hexahydro-, reaction products with bisphenol A-epichlorohydrin polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "1,3-Isobenzofurandione, hexahydro-, reaction products with bisphenol A-epichlorohydrin polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, polymer with adipic acid, bisphenol A, formaldehyde and glycerol", "dtxsid": "DTXSID4099249", "dtxcid": null, "casrn": "68515-00-4", "preferredName": "Rosin, polymer with adipic acid, bisphenol A, formaldehyde and glycerol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, polymer with adipic acid, bisphenol A, formaldehyde and glycerol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, butadiene, tert-dodecanethiol, epichlorohydrin, maleic anhydride, styrene and triethylamine", "dtxsid": "DTXSID4099584", "dtxcid": null, "casrn": "68552-64-7", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, butadiene, tert-dodecanethiol, epichlorohydrin, maleic anhydride, styrene and triethylamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, butadiene, tert-dodecanethiol, epichlorohydrin, maleic anhydride, styrene and triethylamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, ethylene glycol, formaldehyde, pentaerythritol, phthalic anhydride and rosin", "dtxsid": "DTXSID4099586", "dtxcid": null, "casrn": "68552-66-9", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, ethylene glycol, formaldehyde, pentaerythritol, phthalic anhydride and rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, ethylene glycol, formaldehyde, pentaerythritol, phthalic anhydride and rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, vegetable-oil, polymers with bisphenol A, epichlorohydrin and silica hydrate", "dtxsid": "DTXSID4099615", "dtxcid": null, "casrn": "68552-97-6", "preferredName": "Fatty acids, vegetable-oil, polymers with bisphenol A, epichlorohydrin and silica hydrate", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, vegetable-oil, polymers with bisphenol A, epichlorohydrin and silica hydrate", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Siloxanes and Silicones, di-Me, polymers with bisphenol A, epichlorohydrin, Me Ph silsesquioxanes and trimethylolpropane", "dtxsid": "DTXSID4099746", "dtxcid": null, "casrn": "68554-55-2", "preferredName": "Siloxanes and Silicones, di-Me, polymers with bisphenol A, epichlorohydrin, Me Ph silsesquioxanes and trimethylolpropane", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Siloxanes and Silicones, di-Me, polymers with bisphenol A, epichlorohydrin, Me Ph silsesquioxanes and trimethylolpropane", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tung oil, polymer with bisphenol A, epichlorohydrin and Me linoleate", "dtxsid": "DTXSID50100685", "dtxcid": null, "casrn": "68648-75-9", "preferredName": "Tung oil, polymer with bisphenol A, epichlorohydrin and Me linoleate", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Tung oil, polymer with bisphenol A, epichlorohydrin and Me linoleate", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Pentanone, 4-methyl-, reaction products with bisphenol A-epichlorohydrin polymer and diethylenetriamine", "dtxsid": "DTXSID501012528", "dtxcid": null, "casrn": "68910-26-9", "preferredName": "2-Pentanone, 4-methyl-, reaction products with bisphenol A-epichlorohydrin polymer and diethylenetriamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Pentanone, 4-methyl-, reaction products with bisphenol A-epichlorohydrin polymer and diethylenetriamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, ethylene glycol, formaldehyde, pentaerythritol, phthalic anhydride and rosin", "dtxsid": "DTXSID50101379", "dtxcid": null, "casrn": "68910-74-7", "preferredName": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, ethylene glycol, formaldehyde, pentaerythritol, phthalic anhydride and rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, ethylene glycol, formaldehyde, pentaerythritol, phthalic anhydride and rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, soya, polymers with bisphenol A, epichlorohydrin and tall-oil fatty acids", "dtxsid": "DTXSID50101531", "dtxcid": null, "casrn": "68915-73-1", "preferredName": "Fatty acids, soya, polymers with bisphenol A, epichlorohydrin and tall-oil fatty acids", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, soya, polymers with bisphenol A, epichlorohydrin and tall-oil fatty acids", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde and tung oil", "dtxsid": "DTXSID50101915", "dtxcid": null, "casrn": "68920-99-0", "preferredName": "Castor oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin and 1,3-pentadiene", "dtxsid": "DTXSID50102083", "dtxcid": null, "casrn": "68951-75-7", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin and 1,3-pentadiene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin and 1,3-pentadiene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A diglycidyl ether epoxy diacrylate homopolymer", "dtxsid": "DTXSID501020878", "dtxcid": "DTXCID901505278", "casrn": "33041-41-7", "preferredName": "Bisphenol A diglycidyl ether epoxy diacrylate homopolymer", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(OCC(O)COC(=O)C=C)C=C1)C1=CC=C(OCC(O)COC(=O)C=C)C=C1 |c:17,34,t:3,5,20,22,lp:7:2,10:2,12:2,14:2,23:2,26:2,28:2,30:2,Sg:n:32,31,30,29,28,27,26,25,24,23,2,22,21,33,20,34,19,0,1,16,15,14,13,12,11,10,9,8,7,18,17,6,5,4,3::ht|", - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A diglycidyl ether epoxy diacrylate homopolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, rosin and tall-oil fatty acids", "dtxsid": "DTXSID50102088", "dtxcid": null, "casrn": "68951-80-4", "preferredName": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, rosin and tall-oil fatty acids", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, rosin and tall-oil fatty acids", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Formaldehyde, reaction products with bisphenol A and Bu alc.", "dtxsid": "DTXSID50102260", "dtxcid": null, "casrn": "68954-38-1", "preferredName": "Formaldehyde, reaction products with bisphenol A and Bu alc.", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Formaldehyde, reaction products with bisphenol A and Bu alc.", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2,5-Furandione, reaction products with polybutadiene, Me esters, polymers with bisphenol A and formaldehyde", "dtxsid": "DTXSID50102543", "dtxcid": null, "casrn": "68988-32-9", "preferredName": "2,5-Furandione, reaction products with polybutadiene, Me esters, polymers with bisphenol A and formaldehyde", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2,5-Furandione, reaction products with polybutadiene, Me esters, polymers with bisphenol A and formaldehyde", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A glucuronide sulfate", "dtxsid": "DTXSID501025604", "dtxcid": "DTXCID201509867", "casrn": "486453-41-2", "preferredName": "Bisphenol A glucuronide sulfate", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(O[C@@H]2O[C@@H]([C@@H](O)[C@H](O)[C@H]2O)C(O)=O)C=C1)C1=CC=C(OS(O)(=O)=O)C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "Bisphenol A glucuronide sulfate", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A-d14", "dtxsid": "DTXSID501027979", "dtxcid": "DTXCID101513548", "casrn": "120155-79-5", "preferredName": "Bisphenol A-d14", "hasStructureImage": 1, "smiles": "[H]OC1=C([2H])C([2H])=C(C([2H])=C1[2H])C(C1=C([2H])C([2H])=C(O[H])C([2H])=C1[2H])(C([2H])([2H])[2H])C([2H])([2H])[2H]", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "Bisphenol A-d14", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, formaldehyde, rosin and tung oil", "dtxsid": "DTXSID50103338", "dtxcid": null, "casrn": "70321-59-4", "preferredName": "Linseed oil, polymer with bisphenol A, formaldehyde, rosin and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, formaldehyde, rosin and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fats and Glyceridic oils, oiticica, polymers with bisphenol A, bisphenol A diglycidyl ether, p-tert-butylphenol, cyclohexanone and formaldehyde", "dtxsid": "DTXSID50103555", "dtxcid": null, "casrn": "70879-74-2", "preferredName": "Fats and Glyceridic oils, oiticica, polymers with bisphenol A, bisphenol A diglycidyl ether, p-tert-butylphenol, cyclohexanone and formaldehyde", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fats and Glyceridic oils, oiticica, polymers with bisphenol A, bisphenol A diglycidyl ether, p-tert-butylphenol, cyclohexanone and formaldehyde", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, polymer with bisphenol A, glycerol and tung oil", "dtxsid": "DTXSID50103838", "dtxcid": null, "casrn": "71076-93-2", "preferredName": "Rosin, polymer with bisphenol A, glycerol and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, polymer with bisphenol A, glycerol and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with benzoic acid, bisphenol A, epichlorohydrin and maleic anhydride, compds. with triethylamine", "dtxsid": "DTXSID50104188", "dtxcid": null, "casrn": "71965-31-6", "preferredName": "Fatty acids, linseed-oil, polymers with benzoic acid, bisphenol A, epichlorohydrin and maleic anhydride, compds. with triethylamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with benzoic acid, bisphenol A, epichlorohydrin and maleic anhydride, compds. with triethylamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Formaldehyde, reaction products with aniline and bisphenol A-epichlorohydrin polymer", "dtxsid": "DTXSID50104426", "dtxcid": null, "casrn": "72480-03-6", "preferredName": "Formaldehyde, reaction products with aniline and bisphenol A-epichlorohydrin polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Formaldehyde, reaction products with aniline and bisphenol A-epichlorohydrin polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, coco, esters with polyethylene glycol ether with bisphenol A (2:1)", "dtxsid": "DTXSID501044965", "dtxcid": null, "casrn": "115340-85-7", "preferredName": "Fatty acids, coco, esters with polyethylene glycol ether with bisphenol A (2:1)", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, coco, esters with polyethylene glycol ether with bisphenol A (2:1)", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, glycidyl Ph ether, tall-oil fatty acids and tetraethylenepentamine", "dtxsid": "DTXSID50104820", "dtxcid": null, "casrn": "73891-94-8", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, glycidyl Ph ether, tall-oil fatty acids and tetraethylenepentamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, glycidyl Ph ether, tall-oil fatty acids and tetraethylenepentamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, formaldehyde, glycerol, maleic anhydride, pentaerythritol and rosin, calcium salts", "dtxsid": "DTXSID50105534", "dtxcid": null, "casrn": "96278-65-8", "preferredName": "Linseed oil, polymer with bisphenol A, formaldehyde, glycerol, maleic anhydride, pentaerythritol and rosin, calcium salts", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, formaldehyde, glycerol, maleic anhydride, pentaerythritol and rosin, calcium salts", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Soybean oil, polymer with bisphenol A, p-tert-butylphenol, ethylene glycol, formaldehyde, pentaerythritol and phthalic anhydride", "dtxsid": "DTXSID50105539", "dtxcid": null, "casrn": "96278-71-6", "preferredName": "Soybean oil, polymer with bisphenol A, p-tert-butylphenol, ethylene glycol, formaldehyde, pentaerythritol and phthalic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Soybean oil, polymer with bisphenol A, p-tert-butylphenol, ethylene glycol, formaldehyde, pentaerythritol and phthalic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Cyclohexanamine, 4,4'-methylenebis-, reaction products with bisphenol A diglycidyl ether homopolymer", "dtxsid": "DTXSID50106309", "dtxcid": null, "casrn": "129733-57-9", "preferredName": "Cyclohexanamine, 4,4'-methylenebis-, reaction products with bisphenol A diglycidyl ether homopolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Cyclohexanamine, 4,4'-methylenebis-, reaction products with bisphenol A diglycidyl ether homopolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Alcohols, C1-4, ethers with polyethylene-polypropylene glycol mono(2-aminopropyl) ether, polymers with bisphenol A, epichlorohydrin, glycidyl o-tolyl ether, polyethylene-polypropylene glycol bis(2-aminopropyl) ether and polypropylene glycol diamine", "dtxsid": "DTXSID50106405", "dtxcid": null, "casrn": "134134-93-3", "preferredName": "Alcohols, C1-4, ethers with polyethylene-polypropylene glycol mono(2-aminopropyl) ether, polymers with bisphenol A, epichlorohydrin, glycidyl o-tolyl ether, polyethylene-polypropylene glycol bis(2-aminopropyl) ether and polypropylene glycol diamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Alcohols, C1-4, ethers with polyethylene-polypropylene glycol mono(2-aminopropyl) ether, polymers with bisphenol A, epichlorohydrin, glycidyl o-tolyl ether, polyethylene-polypropylene glycol bis(2-aminopropyl) ether and polypropylene glycol diamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fats and Glyceridic oils, oiticica, polymers with bisphenol A, bisphenol A diglycidyl ether, p-tert-butylphenol, cyclohexanone, formaldehyde and tung oil", "dtxsid": "DTXSID50106622", "dtxcid": null, "casrn": "144713-08-6", "preferredName": "Fats and Glyceridic oils, oiticica, polymers with bisphenol A, bisphenol A diglycidyl ether, p-tert-butylphenol, cyclohexanone, formaldehyde and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fats and Glyceridic oils, oiticica, polymers with bisphenol A, bisphenol A diglycidyl ether, p-tert-butylphenol, cyclohexanone, formaldehyde and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C16-18 and C18-unsatd., esters with bisphenol A", "dtxsid": "DTXSID501070978", "dtxcid": null, "casrn": "85711-44-0", "preferredName": "Fatty acids, C16-18 and C18-unsatd., esters with bisphenol A", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C16-18 and C18-unsatd., esters with bisphenol A", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, maleated, polymer with bisphenol A and formaldehyde, potassium salt", "dtxsid": "DTXSID50107139", "dtxcid": null, "casrn": "171543-63-8", "preferredName": "Rosin, maleated, polymer with bisphenol A and formaldehyde, potassium salt", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, maleated, polymer with bisphenol A and formaldehyde, potassium salt", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Safflower oil, polymer with benzoic acid, bisphenol A and epichlorohydrin", "dtxsid": "DTXSID501073291", "dtxcid": null, "casrn": "79771-01-0", "preferredName": "Safflower oil, polymer with benzoic acid, bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Safflower oil, polymer with benzoic acid, bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, soya, polymers with benzoic acid, bisphenol A and epichlorohydrin", "dtxsid": "DTXSID501074087", "dtxcid": null, "casrn": "1181222-24-1", "preferredName": "Fatty acids, soya, polymers with benzoic acid, bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, soya, polymers with benzoic acid, bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Formaldehyde, reaction products with bisphenol A and diethanolamine, propoxylated", "dtxsid": "DTXSID501074451", "dtxcid": null, "casrn": "1180524-77-9", "preferredName": "Formaldehyde, reaction products with bisphenol A and diethanolamine, propoxylated", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Formaldehyde, reaction products with bisphenol A and diethanolamine, propoxylated", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenoic acid, 2-methyl-, polymers with acrylonitrile, bisphenol A, butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated acrylic acid-acrylonitrile-butadiene polymer, 3-carboxy-1-cyano-1-methylpropyl-terminated polybutadiene and epichlorohydrin", "dtxsid": "DTXSID50107497", "dtxcid": null, "casrn": "198495-75-9", "preferredName": "2-Propenoic acid, 2-methyl-, polymers with acrylonitrile, bisphenol A, butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated acrylic acid-acrylonitrile-butadiene polymer, 3-carboxy-1-cyano-1-methylpropyl-terminated polybutadiene and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenoic acid, 2-methyl-, polymers with acrylonitrile, bisphenol A, butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated acrylic acid-acrylonitrile-butadiene polymer, 3-carboxy-1-cyano-1-methylpropyl-terminated polybutadiene and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A and bisphenol A diglycidyl ether", "dtxsid": "DTXSID50107578", "dtxcid": null, "casrn": "215661-31-7", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A and bisphenol A diglycidyl ether", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A and bisphenol A diglycidyl ether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with acrylic acid, bisphenol A, epichlorohydrin and nonanoic acid", "dtxsid": "DTXSID50107593", "dtxcid": null, "casrn": "216689-76-8", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with acrylic acid, bisphenol A, epichlorohydrin and nonanoic acid", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with acrylic acid, bisphenol A, epichlorohydrin and nonanoic acid", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Phenol, 2-methyl-, reaction products with 1,3-benzenedimethanamine and bisphenol A-epichlorohydrin polymer", "dtxsid": "DTXSID501077055", "dtxcid": null, "casrn": "161308-11-8", "preferredName": "Phenol, 2-methyl-, reaction products with 1,3-benzenedimethanamine and bisphenol A-epichlorohydrin polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Phenol, 2-methyl-, reaction products with 1,3-benzenedimethanamine and bisphenol A-epichlorohydrin polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Ethoxylated bisphenol A-isophorone diisocyanate-propoxylated bisphenol A-terephthalic acid-trimellitic anhydride copolymer", "dtxsid": "DTXSID501078039", "dtxcid": null, "casrn": "603964-11-0", "preferredName": "Ethoxylated bisphenol A-isophorone diisocyanate-propoxylated bisphenol A-terephthalic acid-trimellitic anhydride copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Ethoxylated bisphenol A-isophorone diisocyanate-propoxylated bisphenol A-terephthalic acid-trimellitic anhydride copolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Formaldehyde, polymer with benzenamine, reaction products with bisphenol A-epichlorohydrin polymer, 1,1-methylenebis[benzenamine] and 3,3′-[oxybis(2,1-ethanediyloxy)]bis[1-propanamine]", "dtxsid": "DTXSID501080086", "dtxcid": null, "casrn": "68583-67-5", "preferredName": "Formaldehyde, polymer with benzenamine, reaction products with bisphenol A-epichlorohydrin polymer, 1,1-methylenebis[benzenamine] and 3,3′-[oxybis(2,1-ethanediyloxy)]bis[1-propanamine]", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Formaldehyde, polymer with benzenamine, reaction products with bisphenol A-epichlorohydrin polymer, 1,1-methylenebis[benzenamine] and 3,3′-[oxybis(2,1-ethanediyloxy)]bis[1-propanamine]", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, pentaethylenehexamine and 3-(2-propenyloxy)-1,2-propanediol", "dtxsid": "DTXSID501080131", "dtxcid": null, "casrn": "92201-53-1", "preferredName": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, pentaethylenehexamine and 3-(2-propenyloxy)-1,2-propanediol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, pentaethylenehexamine and 3-(2-propenyloxy)-1,2-propanediol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, 2-(dimethylamino)ethyl methacrylate and pentaethylenehexamine", "dtxsid": "DTXSID501080143", "dtxcid": null, "casrn": "91770-77-3", "preferredName": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, 2-(dimethylamino)ethyl methacrylate and pentaethylenehexamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, 2-(dimethylamino)ethyl methacrylate and pentaethylenehexamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A diglycidyl ether-MDI copolymer", "dtxsid": "DTXSID501095401", "dtxcid": null, "casrn": "25750-60-1", "preferredName": "Bisphenol A diglycidyl ether-MDI copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A diglycidyl ether-MDI copolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, cashew nutshell liq., epichlorohydrin, ethylenediamine, formaldehyde, tall-oil fatty acids and triethylenetetramine", "dtxsid": "DTXSID501353203", "dtxcid": null, "casrn": "2811698-50-5", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, cashew nutshell liq., epichlorohydrin, ethylenediamine, formaldehyde, tall-oil fatty acids and triethylenetetramine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, cashew nutshell liq., epichlorohydrin, ethylenediamine, formaldehyde, tall-oil fatty acids and triethylenetetramine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with adipic acid, bisphenol A, epichlorohydrin and trimellitic anhydride", "dtxsid": "DTXSID5095597", "dtxcid": null, "casrn": "66071-05-4", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with adipic acid, bisphenol A, epichlorohydrin and trimellitic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with adipic acid, bisphenol A, epichlorohydrin and trimellitic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, formaldehyde, glycerol and phthalic anhydride", "dtxsid": "DTXSID5095753", "dtxcid": null, "casrn": "67700-83-8", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, formaldehyde, glycerol and phthalic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, formaldehyde, glycerol and phthalic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Monobromobisphenol A", "dtxsid": "DTXSID50976201", "dtxcid": "DTXCID101403581", "casrn": "6073-11-6", "preferredName": "Monobromobisphenol A", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(O)C=C1)C1=CC(Br)=C(O)C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "Monobromobisphenol A", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, formaldehyde and tung oil", "dtxsid": "DTXSID5097959", "dtxcid": null, "casrn": "68390-31-8", "preferredName": "Linseed oil, polymer with bisphenol A, formaldehyde and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, formaldehyde and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Cashew, nutshell liq., polymer with acrylonitrile, bisphenol A, bisphenol A diglycidyl ether, butadiene, itaconic acid and styrene", "dtxsid": "DTXSID5098187", "dtxcid": null, "casrn": "68413-23-0", "preferredName": "Cashew, nutshell liq., polymer with acrylonitrile, bisphenol A, bisphenol A diglycidyl ether, butadiene, itaconic acid and styrene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Cashew, nutshell liq., polymer with acrylonitrile, bisphenol A, bisphenol A diglycidyl ether, butadiene, itaconic acid and styrene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fats and Glyceridic oils, oiticica, polymers with bisphenol A, formaldehyde, glycerol, maleic anhydride, pentaerythritol and rosin", "dtxsid": "DTXSID5098262", "dtxcid": null, "casrn": "68424-79-3", "preferredName": "Fats and Glyceridic oils, oiticica, polymers with bisphenol A, formaldehyde, glycerol, maleic anhydride, pentaerythritol and rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fats and Glyceridic oils, oiticica, polymers with bisphenol A, formaldehyde, glycerol, maleic anhydride, pentaerythritol and rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Siloxanes and Silicones, di-Me, polymers with bisphenol A and carbonic acid", "dtxsid": "DTXSID5098424", "dtxcid": null, "casrn": "68440-78-8", "preferredName": "Siloxanes and Silicones, di-Me, polymers with bisphenol A and carbonic acid", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Siloxanes and Silicones, di-Me, polymers with bisphenol A and carbonic acid", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, coco, polymers with bisphenol A, epichlorohydrin and succinic anhydride", "dtxsid": "DTXSID60100095", "dtxcid": null, "casrn": "68604-68-2", "preferredName": "Fatty acids, coco, polymers with bisphenol A, epichlorohydrin and succinic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, coco, polymers with bisphenol A, epichlorohydrin and succinic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, pentaerythritol and tall oil", "dtxsid": "DTXSID60100111", "dtxcid": null, "casrn": "68604-90-0", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, pentaerythritol and tall oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, pentaerythritol and tall oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and maleic anhydride, compds. with triisopropanolamine", "dtxsid": "DTXSID60100171", "dtxcid": null, "casrn": "68605-54-9", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and maleic anhydride, compds. with triisopropanolamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and maleic anhydride, compds. with triisopropanolamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, vegetable-oil, polymers with benzoic acid, bisphenol A and epichlorohydrin", "dtxsid": "DTXSID60100212", "dtxcid": null, "casrn": "68606-03-1", "preferredName": "Fatty acids, vegetable-oil, polymers with benzoic acid, bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, vegetable-oil, polymers with benzoic acid, bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, polymer with bisphenol A, butylphenol, formaldehyde, pentaerythritol, phthalic anhydride and tripentaerythritol", "dtxsid": "DTXSID60100318", "dtxcid": null, "casrn": "68607-48-7", "preferredName": "Rosin, polymer with bisphenol A, butylphenol, formaldehyde, pentaerythritol, phthalic anhydride and tripentaerythritol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, polymer with bisphenol A, butylphenol, formaldehyde, pentaerythritol, phthalic anhydride and tripentaerythritol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, safflower-oil, polymers with bisphenol A, p-tert-butylbenzoic acid, epichlorohydrin and glycerol", "dtxsid": "DTXSID60100636", "dtxcid": null, "casrn": "68648-04-4", "preferredName": "Fatty acids, safflower-oil, polymers with bisphenol A, p-tert-butylbenzoic acid, epichlorohydrin and glycerol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, safflower-oil, polymers with bisphenol A, p-tert-butylbenzoic acid, epichlorohydrin and glycerol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and tall-oil resin acid dimers", "dtxsid": "DTXSID60100893", "dtxcid": null, "casrn": "68783-48-2", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and tall-oil resin acid dimers", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and tall-oil resin acid dimers", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, soya, polymers with bisphenol A, epichlorohydrin and rosin", "dtxsid": "DTXSID60101522", "dtxcid": null, "casrn": "68915-63-9", "preferredName": "Fatty acids, soya, polymers with bisphenol A, epichlorohydrin and rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, soya, polymers with bisphenol A, epichlorohydrin and rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A-13C12 beta-D-Glucuronide", "dtxsid": "DTXSID601017638", "dtxcid": "DTXCID801476357", "casrn": "1313730-08-3", "preferredName": "Bisphenol A-13C12 beta-D-Glucuronide", "hasStructureImage": 1, "smiles": "CC(C)([13C]1=[13CH][13CH]=[13C](O)[13CH]=[13CH]1)[13C]1=[13CH][13CH]=[13C](O[C@@H]2O[C@@H]([C@@H](O)[C@H](O)[C@H]2O)C(O)=O)[13CH]=[13CH]1", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "Bisphenol A-13C12 beta-D-Glucuronide", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, N-cyanoguanidine and epichlorohydrin", "dtxsid": "DTXSID60101865", "dtxcid": null, "casrn": "68920-23-0", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, N-cyanoguanidine and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, N-cyanoguanidine and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, glycerol, pentaerythritol, phthalic anhydride and rosin", "dtxsid": "DTXSID60102094", "dtxcid": null, "casrn": "68951-86-0", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, glycerol, pentaerythritol, phthalic anhydride and rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, glycerol, pentaerythritol, phthalic anhydride and rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bis(1,1-dimethylethyl)phenol, bisphenol A, p-tert-butylphenol, epichlorohydrin, formaldehyde, pentaerythritol, rosin and tung oil", "dtxsid": "DTXSID60102150", "dtxcid": null, "casrn": "68952-61-4", "preferredName": "Fatty acids, tall-oil, polymers with bis(1,1-dimethylethyl)phenol, bisphenol A, p-tert-butylphenol, epichlorohydrin, formaldehyde, pentaerythritol, rosin and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bis(1,1-dimethylethyl)phenol, bisphenol A, p-tert-butylphenol, epichlorohydrin, formaldehyde, pentaerythritol, rosin and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Phenol, 4,4'-(1-methylethylidene)bis-, polymers with 1,3-benzenedimethanamine, bisphenol A diglycidyl ether, epichlorohydrin, formaldehyde-phenol polymer glycidyl ether, oxirane mono[(C12-14-alkyloxy)methyl] derivs., polypropylene glycol, polypropylene glycol diglycidyl ether and tetraethylenepentamine", "dtxsid": "DTXSID601022853", "dtxcid": null, "casrn": "852700-89-1", "preferredName": "Phenol, 4,4'-(1-methylethylidene)bis-, polymers with 1,3-benzenedimethanamine, bisphenol A diglycidyl ether, epichlorohydrin, formaldehyde-phenol polymer glycidyl ether, oxirane mono[(C12-14-alkyloxy)methyl] derivs., polypropylene glycol, polypropylene glycol diglycidyl ether and tetraethylenepentamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Phenol, 4,4'-(1-methylethylidene)bis-, polymers with 1,3-benzenedimethanamine, bisphenol A diglycidyl ether, epichlorohydrin, formaldehyde-phenol polymer glycidyl ether, oxirane mono[(C12-14-alkyloxy)methyl] derivs., polypropylene glycol, polypropylene glycol diglycidyl ether and tetraethylenepentamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol and phthalic anhydride", "dtxsid": "DTXSID60102574", "dtxcid": null, "casrn": "68988-91-0", "preferredName": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol and phthalic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol and phthalic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol, phthalic anhydride and rosin", "dtxsid": "DTXSID60102711", "dtxcid": null, "casrn": "68991-10-6", "preferredName": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol, phthalic anhydride and rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol, phthalic anhydride and rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Carbonic acid, diphenyl ester, reaction products with bisphenol A", "dtxsid": "DTXSID601035715", "dtxcid": null, "casrn": "1187203-96-8", "preferredName": "Carbonic acid, diphenyl ester, reaction products with bisphenol A", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Carbonic acid, diphenyl ester, reaction products with bisphenol A", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Siloxanes and silicones, dimethyl, 3-(4-hydroxy-3-methoxyphenyl)propyl group terminated, polymers with bisphenol A, carbonic chloride and 4-(1-methyl-1-phenylethyl)phenol", "dtxsid": "DTXSID601037135", "dtxcid": null, "casrn": "202483-49-6", "preferredName": "Siloxanes and silicones, dimethyl, 3-(4-hydroxy-3-methoxyphenyl)propyl group terminated, polymers with bisphenol A, carbonic chloride and 4-(1-methyl-1-phenylethyl)phenol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Siloxanes and silicones, dimethyl, 3-(4-hydroxy-3-methoxyphenyl)propyl group terminated, polymers with bisphenol A, carbonic chloride and 4-(1-methyl-1-phenylethyl)phenol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Siloxanes and Silicones, di-Me, 4-(3-aminophenoxy)butyl group-terminated, polymers with bisphenol A and phthalic anhydride", "dtxsid": "DTXSID60104497", "dtxcid": null, "casrn": "72749-60-1", "preferredName": "Siloxanes and Silicones, di-Me, 4-(3-aminophenoxy)butyl group-terminated, polymers with bisphenol A and phthalic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Siloxanes and Silicones, di-Me, 4-(3-aminophenoxy)butyl group-terminated, polymers with bisphenol A and phthalic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Alcohols, C2-4, 2,2'-iminobis-, polymers with bisphenol A, butylphenol, epichlorohydrin and propylene oxide", "dtxsid": "DTXSID60104816", "dtxcid": null, "casrn": "73891-87-9", "preferredName": "Alcohols, C2-4, 2,2'-iminobis-, polymers with bisphenol A, butylphenol, epichlorohydrin and propylene oxide", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Alcohols, C2-4, 2,2'-iminobis-, polymers with bisphenol A, butylphenol, epichlorohydrin and propylene oxide", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Soybean oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol, pentaerythritol and phthalic anhydride", "dtxsid": "DTXSID60105540", "dtxcid": null, "casrn": "96278-72-7", "preferredName": "Soybean oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol, pentaerythritol and phthalic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Soybean oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol, pentaerythritol and phthalic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Siloxanes and Silicones, di-Me, polymers with bisphenol A and carbonic dichloride", "dtxsid": "DTXSID60105828", "dtxcid": null, "casrn": "103458-54-4", "preferredName": "Siloxanes and Silicones, di-Me, polymers with bisphenol A and carbonic dichloride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Siloxanes and Silicones, di-Me, polymers with bisphenol A and carbonic dichloride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated, reaction products with bisphenol A diglycidyl ether homopolymer", "dtxsid": "DTXSID60106158", "dtxcid": null, "casrn": "123209-70-1", "preferredName": "2-Propenenitrile, polymer with 1,3-butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated, reaction products with bisphenol A diglycidyl ether homopolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, 3-carboxy-1-cyano-1-methylpropyl-terminated, reaction products with bisphenol A diglycidyl ether homopolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Benzenesulfonamide, 2-methyl-, reaction products with bisphenol A-epichlorohydrin polymer and 4-methylbenzenesulfonamide", "dtxsid": "DTXSID60106335", "dtxcid": null, "casrn": "130353-62-7", "preferredName": "Benzenesulfonamide, 2-methyl-, reaction products with bisphenol A-epichlorohydrin polymer and 4-methylbenzenesulfonamide", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Benzenesulfonamide, 2-methyl-, reaction products with bisphenol A-epichlorohydrin polymer and 4-methylbenzenesulfonamide", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, dehydrated, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol, linseed oil, pentaerythritol, phthalic anhydride and tung oil", "dtxsid": "DTXSID60106431", "dtxcid": null, "casrn": "135313-70-1", "preferredName": "Castor oil, dehydrated, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol, linseed oil, pentaerythritol, phthalic anhydride and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, dehydrated, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol, linseed oil, pentaerythritol, phthalic anhydride and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, linoleic acid and octadecadienoic acid", "dtxsid": "DTXSID60106774", "dtxcid": null, "casrn": "150739-80-3", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, linoleic acid and octadecadienoic acid", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, linoleic acid and octadecadienoic acid", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with acrylic acid, bisphenol A, epichlorohydrin, octadecadienoic acid and styrene", "dtxsid": "DTXSID60106779", "dtxcid": null, "casrn": "150739-85-8", "preferredName": "Fatty acids, linseed-oil, polymers with acrylic acid, bisphenol A, epichlorohydrin, octadecadienoic acid and styrene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with acrylic acid, bisphenol A, epichlorohydrin, octadecadienoic acid and styrene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Furanmethanol, reaction products with bisphenol A", "dtxsid": "DTXSID601069241", "dtxcid": null, "casrn": "1181206-03-0", "preferredName": "2-Furanmethanol, reaction products with bisphenol A", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Furanmethanol, reaction products with bisphenol A", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, glycidyl neodecanoate, 3-hydroxy-2-(hydroxymethyl)-2-methylpropanoic acid and TDI", "dtxsid": "DTXSID60107140", "dtxcid": null, "casrn": "171543-64-9", "preferredName": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, glycidyl neodecanoate, 3-hydroxy-2-(hydroxymethyl)-2-methylpropanoic acid and TDI", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, glycidyl neodecanoate, 3-hydroxy-2-(hydroxymethyl)-2-methylpropanoic acid and TDI", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, reaction products with bisphenol A, epichlorohydrin, glycidyl tolyl ether and triethylenetetramine", "dtxsid": "DTXSID60107286", "dtxcid": null, "casrn": "186321-96-0", "preferredName": "Fatty acids, tall-oil, reaction products with bisphenol A, epichlorohydrin, glycidyl tolyl ether and triethylenetetramine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, reaction products with bisphenol A, epichlorohydrin, glycidyl tolyl ether and triethylenetetramine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Resin acids and Rosin acids, calcium salts, polymers with bisphenol A, formaldehyde, glycerol, linseed oil, phenol, rosin and tung oil", "dtxsid": "DTXSID60107342", "dtxcid": null, "casrn": "192888-62-3", "preferredName": "Resin acids and Rosin acids, calcium salts, polymers with bisphenol A, formaldehyde, glycerol, linseed oil, phenol, rosin and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Resin acids and Rosin acids, calcium salts, polymers with bisphenol A, formaldehyde, glycerol, linseed oil, phenol, rosin and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, coco, reaction products with acrylic acid and bisphenol A-epichlorohydrin polymer", "dtxsid": "DTXSID601075907", "dtxcid": null, "casrn": "161074-56-2", "preferredName": "Fatty acids, coco, reaction products with acrylic acid and bisphenol A-epichlorohydrin polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, coco, reaction products with acrylic acid and bisphenol A-epichlorohydrin polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Propanenitrile, 3-[(6-aminotrimethylhexyl)amino]-, reaction products with bisphenol A-epichlorohydrin polymer", "dtxsid": "DTXSID601077260", "dtxcid": null, "casrn": "161308-06-1", "preferredName": "Propanenitrile, 3-[(6-aminotrimethylhexyl)amino]-, reaction products with bisphenol A-epichlorohydrin polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Propanenitrile, 3-[(6-aminotrimethylhexyl)amino]-, reaction products with bisphenol A-epichlorohydrin polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, tetraethylenepentamine and triethylenetetramine", "dtxsid": "DTXSID601077591", "dtxcid": null, "casrn": "157707-81-8", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, tetraethylenepentamine and triethylenetetramine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, tetraethylenepentamine and triethylenetetramine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, fumarated, reaction products with bisphenol A, formaldehyde, glycerol and 4-(1,1,3,3-tetramethylbutyl)phenol", "dtxsid": "DTXSID601077658", "dtxcid": null, "casrn": "91081-49-1", "preferredName": "Rosin, fumarated, reaction products with bisphenol A, formaldehyde, glycerol and 4-(1,1,3,3-tetramethylbutyl)phenol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, fumarated, reaction products with bisphenol A, formaldehyde, glycerol and 4-(1,1,3,3-tetramethylbutyl)phenol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Benzoic acid, 2-hydroxy-, reaction products with benzyl alc. and bisphenol A-1,2-cyclohexanediamine-epichlorohydrin polymer", "dtxsid": "DTXSID601078101", "dtxcid": null, "casrn": "71608-42-9", "preferredName": "Benzoic acid, 2-hydroxy-, reaction products with benzyl alc. and bisphenol A-1,2-cyclohexanediamine-epichlorohydrin polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Benzoic acid, 2-hydroxy-, reaction products with benzyl alc. and bisphenol A-1,2-cyclohexanediamine-epichlorohydrin polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, diethylenetriamine, epichlorohydrin, tall-oil fatty acids and triethylenetetramine", "dtxsid": "DTXSID601078937", "dtxcid": null, "casrn": "139682-51-2", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, diethylenetriamine, epichlorohydrin, tall-oil fatty acids and triethylenetetramine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, diethylenetriamine, epichlorohydrin, tall-oil fatty acids and triethylenetetramine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Isocyanic acid, polymethylenepolyphenylene ester, reaction products with bisphenol A-epichlorohydrin-4,4′-(1-methylethylidene)bis[2,6-dibromophenol] polymer", "dtxsid": "DTXSID601079404", "dtxcid": null, "casrn": "162492-19-5", "preferredName": "Isocyanic acid, polymethylenepolyphenylene ester, reaction products with bisphenol A-epichlorohydrin-4,4′-(1-methylethylidene)bis[2,6-dibromophenol] polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Isocyanic acid, polymethylenepolyphenylene ester, reaction products with bisphenol A-epichlorohydrin-4,4′-(1-methylethylidene)bis[2,6-dibromophenol] polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, 2-[(methylphenoxy)methyl]oxirane, tall-oil fatty acids and triethylenetetramine", "dtxsid": "DTXSID601079430", "dtxcid": null, "casrn": "1190748-21-0", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, 2-[(methylphenoxy)methyl]oxirane, tall-oil fatty acids and triethylenetetramine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, 2-[(methylphenoxy)methyl]oxirane, tall-oil fatty acids and triethylenetetramine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, formaldehyde and pentaethylenehexamine", "dtxsid": "DTXSID601079628", "dtxcid": null, "casrn": "93686-21-6", "preferredName": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, formaldehyde and pentaethylenehexamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, formaldehyde and pentaethylenehexamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Amines, coco alkyl, polymers with bisphenol A, diethylenetriamine, epichlorohydrin, α-hydro-ω-hydroxypoly(oxy-1,4-butanediyl), 3-mercaptopropanoic acid and 2-(methylamino)ethanol", "dtxsid": "DTXSID601079973", "dtxcid": null, "casrn": "71329-39-0", "preferredName": "Amines, coco alkyl, polymers with bisphenol A, diethylenetriamine, epichlorohydrin, α-hydro-ω-hydroxypoly(oxy-1,4-butanediyl), 3-mercaptopropanoic acid and 2-(methylamino)ethanol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Amines, coco alkyl, polymers with bisphenol A, diethylenetriamine, epichlorohydrin, α-hydro-ω-hydroxypoly(oxy-1,4-butanediyl), 3-mercaptopropanoic acid and 2-(methylamino)ethanol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, reaction products with bisphenol A-bisphenol A diglycidyl ether polymer and polyethylenepolyamines", "dtxsid": "DTXSID60108278", "dtxcid": null, "casrn": "168109-74-8", "preferredName": "Fatty acids, C18-unsatd., dimers, reaction products with bisphenol A-bisphenol A diglycidyl ether polymer and polyethylenepolyamines", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, reaction products with bisphenol A-bisphenol A diglycidyl ether polymer and polyethylenepolyamines", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, carboxy-terminated, polymer with bisphenol A diglycidyl ether homopolymer", "dtxsid": "DTXSID601085653", "dtxcid": null, "casrn": "72245-33-1", "preferredName": "2-Propenenitrile, polymer with 1,3-butadiene, carboxy-terminated, polymer with bisphenol A diglycidyl ether homopolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, carboxy-terminated, polymer with bisphenol A diglycidyl ether homopolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "1,3-Isobenzofurandione, hexahydro-, reaction products with bisphenol A and methylenebis[phenol]", "dtxsid": "DTXSID601088257", "dtxcid": null, "casrn": "90412-34-3", "preferredName": "1,3-Isobenzofurandione, hexahydro-, reaction products with bisphenol A and methylenebis[phenol]", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "1,3-Isobenzofurandione, hexahydro-, reaction products with bisphenol A and methylenebis[phenol]", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "1,3-Isobenzofurandione, reaction products with bisphenol A and 2,2′-methylenebis[phenol]", "dtxsid": "DTXSID601089112", "dtxcid": null, "casrn": "90412-29-6", "preferredName": "1,3-Isobenzofurandione, reaction products with bisphenol A and 2,2′-methylenebis[phenol]", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "1,3-Isobenzofurandione, reaction products with bisphenol A and 2,2′-methylenebis[phenol]", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, ethoxylated tallow alkyl amines, ethylene oxide and propylene oxide", "dtxsid": "DTXSID60108930", "dtxcid": null, "casrn": "337974-35-3", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, ethoxylated tallow alkyl amines, ethylene oxide and propylene oxide", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, ethoxylated tallow alkyl amines, ethylene oxide and propylene oxide", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A glycidyl methacrylate-ethylene glycol dimethacrylate copolymer", "dtxsid": "DTXSID601091040", "dtxcid": null, "casrn": "41471-99-2", "preferredName": "Bisphenol A glycidyl methacrylate-ethylene glycol dimethacrylate copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A glycidyl methacrylate-ethylene glycol dimethacrylate copolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenoic acid, polymers with 1,3-butadiene and 2-propenenitrile, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A, bisphenol A diglycidyl ether, epichlorohydrin, formaldehyde-phenol polymer glycidyl ether, 4,4'-(1-methylethylidene)bis[2,6-dibromophenol] and 2,2'-[1,3-phenylenebis(oxymethylene)]bis[oxirane]", "dtxsid": "DTXSID601340263", "dtxcid": null, "casrn": "1471997-96-2", "preferredName": "2-Propenoic acid, polymers with 1,3-butadiene and 2-propenenitrile, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A, bisphenol A diglycidyl ether, epichlorohydrin, formaldehyde-phenol polymer glycidyl ether, 4,4'-(1-methylethylidene)bis[2,6-dibromophenol] and 2,2'-[1,3-phenylenebis(oxymethylene)]bis[oxirane]", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenoic acid, polymers with 1,3-butadiene and 2-propenenitrile, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A, bisphenol A diglycidyl ether, epichlorohydrin, formaldehyde-phenol polymer glycidyl ether, 4,4'-(1-methylethylidene)bis[2,6-dibromophenol] and 2,2'-[1,3-phenylenebis(oxymethylene)]bis[oxirane]", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A diglycidyl ether", "dtxsid": "DTXSID6024624", "dtxcid": "DTXCID804624", "casrn": "1675-54-3", "preferredName": "Bisphenol A diglycidyl ether", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(OCC2CO2)C=C1)C1=CC=C(OCC2CO2)C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "Bisphenol A diglycidyl ether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A polycarbonate", "dtxsid": "DTXSID6027840", "dtxcid": null, "casrn": "25037-45-0", "preferredName": "Bisphenol A polycarbonate", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A polycarbonate", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A bis(2-hydroxyethyl ether) diacrylate", "dtxsid": "DTXSID6066991", "dtxcid": "DTXCID9037080", "casrn": "24447-78-7", "preferredName": "Bisphenol A bis(2-hydroxyethyl ether) diacrylate", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(OCCOC(=O)C=C)C=C1)C1=CC=C(OCCOC(=O)C=C)C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "Bisphenol A bis(2-hydroxyethyl ether) diacrylate", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymd., polymer with bisphenol A, formaldehyde, glycerol, rosin and tung oil", "dtxsid": "DTXSID6095900", "dtxcid": null, "casrn": "67774-67-8", "preferredName": "Linseed oil, polymd., polymer with bisphenol A, formaldehyde, glycerol, rosin and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymd., polymer with bisphenol A, formaldehyde, glycerol, rosin and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tall oil, polymer with bisphenol A, epichlorohydrin, glycerol, pentaerythritol and phthalic anhydride", "dtxsid": "DTXSID6096340", "dtxcid": null, "casrn": "68015-07-6", "preferredName": "Tall oil, polymer with bisphenol A, epichlorohydrin, glycerol, pentaerythritol and phthalic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Tall oil, polymer with bisphenol A, epichlorohydrin, glycerol, pentaerythritol and phthalic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, polymer with bisphenol A, p-tert-butylphenol and formaldehyde", "dtxsid": "DTXSID6097150", "dtxcid": null, "casrn": "68152-69-2", "preferredName": "Rosin, polymer with bisphenol A, p-tert-butylphenol and formaldehyde", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, polymer with bisphenol A, p-tert-butylphenol and formaldehyde", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde and tung oil", "dtxsid": "DTXSID6097235", "dtxcid": null, "casrn": "68153-88-8", "preferredName": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, formaldehyde, phenol, tall-oil fatty acids and triethylenetetramine", "dtxsid": "DTXSID6097942", "dtxcid": null, "casrn": "68390-11-4", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, formaldehyde, phenol, tall-oil fatty acids and triethylenetetramine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, formaldehyde, phenol, tall-oil fatty acids and triethylenetetramine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Soybean oil, polymer with benzoic acid, bisphenol A, formaldehyde, glycerol, isophthalic acid and pentaerythritol", "dtxsid": "DTXSID6098176", "dtxcid": null, "casrn": "68413-12-7", "preferredName": "Soybean oil, polymer with benzoic acid, bisphenol A, formaldehyde, glycerol, isophthalic acid and pentaerythritol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Soybean oil, polymer with benzoic acid, bisphenol A, formaldehyde, glycerol, isophthalic acid and pentaerythritol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, polymer with bisphenol A, epichlorohydrin and tall oil", "dtxsid": "DTXSID6098209", "dtxcid": null, "casrn": "68424-06-6", "preferredName": "Rosin, polymer with bisphenol A, epichlorohydrin and tall oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, polymer with bisphenol A, epichlorohydrin and tall oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, dehydrated, polymer with bisphenol A, formaldehyde and tung oil", "dtxsid": "DTXSID6099483", "dtxcid": null, "casrn": "68551-52-0", "preferredName": "Castor oil, dehydrated, polymer with bisphenol A, formaldehyde and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, dehydrated, polymer with bisphenol A, formaldehyde and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, polymer with bisphenol A, formaldehyde and pentaerythritol", "dtxsid": "DTXSID6099726", "dtxcid": null, "casrn": "68554-30-3", "preferredName": "Rosin, polymer with bisphenol A, formaldehyde and pentaerythritol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, polymer with bisphenol A, formaldehyde and pentaerythritol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, castor-oil, polymers with bisphenol A, Bu alc., butylphenol, 2-ethylhexanoic acid, formaldehyde and isononanoic acid", "dtxsid": "DTXSID70100081", "dtxcid": null, "casrn": "68604-48-8", "preferredName": "Fatty acids, castor-oil, polymers with bisphenol A, Bu alc., butylphenol, 2-ethylhexanoic acid, formaldehyde and isononanoic acid", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, castor-oil, polymers with bisphenol A, Bu alc., butylphenol, 2-ethylhexanoic acid, formaldehyde and isononanoic acid", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "1,2-Ethanediamine, reaction products with bisphenol A diglycidyl ether homopolymer", "dtxsid": "DTXSID70100425", "dtxcid": null, "casrn": "68609-11-0", "preferredName": "1,2-Ethanediamine, reaction products with bisphenol A diglycidyl ether homopolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "1,2-Ethanediamine, reaction products with bisphenol A diglycidyl ether homopolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, carboxy-terminated, polymer with bisphenol A diglycidyl ether and carboxy-terminated polybutadiene", "dtxsid": "DTXSID70100526", "dtxcid": null, "casrn": "68611-41-6", "preferredName": "2-Propenenitrile, polymer with 1,3-butadiene, carboxy-terminated, polymer with bisphenol A diglycidyl ether and carboxy-terminated polybutadiene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, carboxy-terminated, polymer with bisphenol A diglycidyl ether and carboxy-terminated polybutadiene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenoic acid, polymer with 1,3-butadiene and 2-propenenitrile, reaction products with bisphenol A-epichlorohydrin polymer and 3-carboxy-1-cyano-1-methylpropyl-terminated polybutadiene", "dtxsid": "DTXSID70100728", "dtxcid": null, "casrn": "68649-63-8", "preferredName": "2-Propenoic acid, polymer with 1,3-butadiene and 2-propenenitrile, reaction products with bisphenol A-epichlorohydrin polymer and 3-carboxy-1-cyano-1-methylpropyl-terminated polybutadiene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenoic acid, polymer with 1,3-butadiene and 2-propenenitrile, reaction products with bisphenol A-epichlorohydrin polymer and 3-carboxy-1-cyano-1-methylpropyl-terminated polybutadiene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, maleic anhydride, methacrylic acid and vinyltoluene", "dtxsid": "DTXSID70101033", "dtxcid": null, "casrn": "68814-79-9", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, maleic anhydride, methacrylic acid and vinyltoluene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, maleic anhydride, methacrylic acid and vinyltoluene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "1,2-Propanediamine, polymers with bisphenol A diglycidyl ether and C8-10-alkyl glycidyl ethers", "dtxsid": "DTXSID70101119", "dtxcid": null, "casrn": "68855-47-0", "preferredName": "1,2-Propanediamine, polymers with bisphenol A diglycidyl ether and C8-10-alkyl glycidyl ethers", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "1,2-Propanediamine, polymers with bisphenol A diglycidyl ether and C8-10-alkyl glycidyl ethers", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Cashew, nutshell liq., glycidyl ether, polymer with 5-amino-1,3,3-trimethylcyclohexanemethanamine, bisphenol A, diethylenetriamine, epichlorohydrin and formaldehyde", "dtxsid": "DTXSID701013689", "dtxcid": null, "casrn": "1431375-41-5", "preferredName": "Cashew, nutshell liq., glycidyl ether, polymer with 5-amino-1,3,3-trimethylcyclohexanemethanamine, bisphenol A, diethylenetriamine, epichlorohydrin and formaldehyde", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Cashew, nutshell liq., glycidyl ether, polymer with 5-amino-1,3,3-trimethylcyclohexanemethanamine, bisphenol A, diethylenetriamine, epichlorohydrin and formaldehyde", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, polymer with bisphenol A, epichlorohydrin and linoleic acid", "dtxsid": "DTXSID70101472", "dtxcid": null, "casrn": "68915-00-4", "preferredName": "Rosin, polymer with bisphenol A, epichlorohydrin and linoleic acid", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, polymer with bisphenol A, epichlorohydrin and linoleic acid", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenoic acid, reaction products with bisphenol A-epichlorohydrin polymer, epichlorohydrin and TDI", "dtxsid": "DTXSID70102080", "dtxcid": null, "casrn": "68951-71-3", "preferredName": "2-Propenoic acid, reaction products with bisphenol A-epichlorohydrin polymer, epichlorohydrin and TDI", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenoic acid, reaction products with bisphenol A-epichlorohydrin polymer, epichlorohydrin and TDI", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Phenol, polymer with formaldehyde, glycidyl ether, polymers with 1,3-benzenedimethanamine, bisphenol A diglycidyl ether, 2-[(C12-14-alkyloxy)methyl]oxirane, epichlorohydrin, 2,2'-[1,2-ethanediylbis(oxy)]bis[ethanamine], polypropylene glycol, polypropylene glycol diglycidyl ether, 2,2',2''-[1,2,3-propanetriyltris(oxymethylene)]tris[oxirane] and tetraethylenepentamine", "dtxsid": "DTXSID701022882", "dtxcid": null, "casrn": "943835-56-1", "preferredName": "Phenol, polymer with formaldehyde, glycidyl ether, polymers with 1,3-benzenedimethanamine, bisphenol A diglycidyl ether, 2-[(C12-14-alkyloxy)methyl]oxirane, epichlorohydrin, 2,2'-[1,2-ethanediylbis(oxy)]bis[ethanamine], polypropylene glycol, polypropylene glycol diglycidyl ether, 2,2',2''-[1,2,3-propanetriyltris(oxymethylene)]tris[oxirane] and tetraethylenepentamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Phenol, polymer with formaldehyde, glycidyl ether, polymers with 1,3-benzenedimethanamine, bisphenol A diglycidyl ether, 2-[(C12-14-alkyloxy)methyl]oxirane, epichlorohydrin, 2,2'-[1,2-ethanediylbis(oxy)]bis[ethanamine], polypropylene glycol, polypropylene glycol diglycidyl ether, 2,2',2''-[1,2,3-propanetriyltris(oxymethylene)]tris[oxirane] and tetraethylenepentamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin, isophthalic acid, trimellitic anhydride and vegetable-oil fatty acids", "dtxsid": "DTXSID70103456", "dtxcid": null, "casrn": "70750-34-4", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin, isophthalic acid, trimellitic anhydride and vegetable-oil fatty acids", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin, isophthalic acid, trimellitic anhydride and vegetable-oil fatty acids", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A-isophthaloyl chloride-phosgene-resorcinol-terephthaloyl chloride copolymer", "dtxsid": "DTXSID701037164", "dtxcid": null, "casrn": "235420-83-4", "preferredName": "Bisphenol A-isophthaloyl chloride-phosgene-resorcinol-terephthaloyl chloride copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A-isophthaloyl chloride-phosgene-resorcinol-terephthaloyl chloride copolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, bisphenol A diglycidyl ether and phthalic anhydride", "dtxsid": "DTXSID70103835", "dtxcid": null, "casrn": "71076-90-9", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, bisphenol A diglycidyl ether and phthalic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, bisphenol A diglycidyl ether and phthalic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "1,2-Ethanediamine, reaction products with bisphenol A diglycidyl ether", "dtxsid": "DTXSID70103951", "dtxcid": null, "casrn": "71342-81-9", "preferredName": "1,2-Ethanediamine, reaction products with bisphenol A diglycidyl ether", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "1,2-Ethanediamine, reaction products with bisphenol A diglycidyl ether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenoic acid, 2-methyl-, 2-oxiranylmethyl ester, polymers with bisphenol A diglycidyl ether and carboxy-terminated acrylonitrile-butadiene polymer", "dtxsid": "DTXSID70104044", "dtxcid": null, "casrn": "71608-65-6", "preferredName": "2-Propenoic acid, 2-methyl-, 2-oxiranylmethyl ester, polymers with bisphenol A diglycidyl ether and carboxy-terminated acrylonitrile-butadiene polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenoic acid, 2-methyl-, 2-oxiranylmethyl ester, polymers with bisphenol A diglycidyl ether and carboxy-terminated acrylonitrile-butadiene polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, castor-oil, polymers with benzoic acid, bisphenol A, 2-(dimethylamino)ethanol, epichlorohydrin, fumaric acid and styrene", "dtxsid": "DTXSID70105071", "dtxcid": null, "casrn": "79770-85-7", "preferredName": "Fatty acids, castor-oil, polymers with benzoic acid, bisphenol A, 2-(dimethylamino)ethanol, epichlorohydrin, fumaric acid and styrene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, castor-oil, polymers with benzoic acid, bisphenol A, 2-(dimethylamino)ethanol, epichlorohydrin, fumaric acid and styrene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tar acids, cresylic, residues, polymers with bisphenol A, Bu alc., epichlorohydrin, formaldehyde and phenol", "dtxsid": "DTXSID70105612", "dtxcid": null, "casrn": "96873-89-1", "preferredName": "Tar acids, cresylic, residues, polymers with bisphenol A, Bu alc., epichlorohydrin, formaldehyde and phenol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Tar acids, cresylic, residues, polymers with bisphenol A, Bu alc., epichlorohydrin, formaldehyde and phenol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, vegetable-oil, unsatd., polymers with bisphenol A and epichlorohydrin", "dtxsid": "DTXSID70105753", "dtxcid": null, "casrn": "100816-06-6", "preferredName": "Fatty acids, vegetable-oil, unsatd., polymers with bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, vegetable-oil, unsatd., polymers with bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Amines, tallow alkyl, reaction products with bisphenol A diglycidyl ether, ethoxylated", "dtxsid": "DTXSID70105839", "dtxcid": null, "casrn": "104133-73-5", "preferredName": "Amines, tallow alkyl, reaction products with bisphenol A diglycidyl ether, ethoxylated", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Amines, tallow alkyl, reaction products with bisphenol A diglycidyl ether, ethoxylated", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin and ethylenediamine", "dtxsid": "DTXSID70105854", "dtxcid": null, "casrn": "105839-24-5", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin and ethylenediamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin and ethylenediamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin and octadecadienoic acid", "dtxsid": "DTXSID70106780", "dtxcid": null, "casrn": "150739-86-9", "preferredName": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin and octadecadienoic acid", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin and octadecadienoic acid", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Neodecanoic acid, 2-oxiranylmethyl ester, reaction products with bisphenol A-diethanolamine-N1,N1-dimethyl-1,3-propanediamine-epichlorohydrin-hexamethylenediamine polymer and N-(butoxymethyl)-2-propenamide", "dtxsid": "DTXSID70107090", "dtxcid": null, "casrn": "167972-57-8", "preferredName": "Neodecanoic acid, 2-oxiranylmethyl ester, reaction products with bisphenol A-diethanolamine-N1,N1-dimethyl-1,3-propanediamine-epichlorohydrin-hexamethylenediamine polymer and N-(butoxymethyl)-2-propenamide", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Neodecanoic acid, 2-oxiranylmethyl ester, reaction products with bisphenol A-diethanolamine-N1,N1-dimethyl-1,3-propanediamine-epichlorohydrin-hexamethylenediamine polymer and N-(butoxymethyl)-2-propenamide", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Safflower oil, polymer with benzoic acid, bisphenol A, epichlorohydrin and styrene", "dtxsid": "DTXSID701074621", "dtxcid": null, "casrn": "79771-00-9", "preferredName": "Safflower oil, polymer with benzoic acid, bisphenol A, epichlorohydrin and styrene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Safflower oil, polymer with benzoic acid, bisphenol A, epichlorohydrin and styrene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenoic acid, polymer with 1,3-butadiene and 2-propenenitrile, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A and epichlorohydrin", "dtxsid": "DTXSID70107499", "dtxcid": null, "casrn": "198495-77-1", "preferredName": "2-Propenoic acid, polymer with 1,3-butadiene and 2-propenenitrile, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenoic acid, polymer with 1,3-butadiene and 2-propenenitrile, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Formaldehyde, reaction products with N1-(2-aminoethyl)-1,3-propanediamine and bisphenol A", "dtxsid": "DTXSID701075431", "dtxcid": null, "casrn": "1064696-39-4", "preferredName": "Formaldehyde, reaction products with N1-(2-aminoethyl)-1,3-propanediamine and bisphenol A", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Formaldehyde, reaction products with N1-(2-aminoethyl)-1,3-propanediamine and bisphenol A", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, diethylenetriamine and epichlorohydrin", "dtxsid": "DTXSID70107555", "dtxcid": null, "casrn": "215324-69-9", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, diethylenetriamine and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, diethylenetriamine and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with acrylic acid, bisphenol A and epichlorohydrin", "dtxsid": "DTXSID701075805", "dtxcid": null, "casrn": "872409-64-8", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with acrylic acid, bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with acrylic acid, bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "1,3-Isobenzofurandione, 3a,4,7,7a-tetrahydro-5-methyl-, reaction products with bisphenol A and methylenebis[phenol]", "dtxsid": "DTXSID701077649", "dtxcid": null, "casrn": "90431-11-1", "preferredName": "1,3-Isobenzofurandione, 3a,4,7,7a-tetrahydro-5-methyl-, reaction products with bisphenol A and methylenebis[phenol]", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "1,3-Isobenzofurandione, 3a,4,7,7a-tetrahydro-5-methyl-, reaction products with bisphenol A and methylenebis[phenol]", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, maleated, reaction products with bisphenol A, formaldehyde, pentaerythritol and 4-(1,1,3,3-tetramethylbutyl)phenol", "dtxsid": "DTXSID701077970", "dtxcid": null, "casrn": "92202-15-8", "preferredName": "Rosin, maleated, reaction products with bisphenol A, formaldehyde, pentaerythritol and 4-(1,1,3,3-tetramethylbutyl)phenol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, maleated, reaction products with bisphenol A, formaldehyde, pentaerythritol and 4-(1,1,3,3-tetramethylbutyl)phenol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Phenol, 2-methyl-, reaction products with bisphenol A, N1,N3-dimethyl-1,3-benzenediamine, epichlorohydrin and trimethyl-1,6-hexanediamine", "dtxsid": "DTXSID701078742", "dtxcid": null, "casrn": "1187560-55-9", "preferredName": "Phenol, 2-methyl-, reaction products with bisphenol A, N1,N3-dimethyl-1,3-benzenediamine, epichlorohydrin and trimethyl-1,6-hexanediamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Phenol, 2-methyl-, reaction products with bisphenol A, N1,N3-dimethyl-1,3-benzenediamine, epichlorohydrin and trimethyl-1,6-hexanediamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Phenol, 2-methyl-, reaction products with 5-amino-1,3,3-trimethylcyclohexanemethanamine, 1,3-benzenedimethanamine, bisphenol A and epichlorohydrin", "dtxsid": "DTXSID701079069", "dtxcid": null, "casrn": "1181221-80-6", "preferredName": "Phenol, 2-methyl-, reaction products with 5-amino-1,3,3-trimethylcyclohexanemethanamine, 1,3-benzenedimethanamine, bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Phenol, 2-methyl-, reaction products with 5-amino-1,3,3-trimethylcyclohexanemethanamine, 1,3-benzenedimethanamine, bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, pentaethylenehexamine and 3-(2-propenyloxy)-1,2-propanediol", "dtxsid": "DTXSID701080101", "dtxcid": null, "casrn": "92202-39-6", "preferredName": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, pentaethylenehexamine and 3-(2-propenyloxy)-1,2-propanediol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, pentaethylenehexamine and 3-(2-propenyloxy)-1,2-propanediol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, 2-(dimethylamino)ethyl methacrylate and pentaethylenehexamine", "dtxsid": "DTXSID701080206", "dtxcid": null, "casrn": "93572-40-8", "preferredName": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, 2-(dimethylamino)ethyl methacrylate and pentaethylenehexamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, 2-(dimethylamino)ethyl methacrylate and pentaethylenehexamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, 2-hydroxyethyl methacrylate and pentaethylenehexamine", "dtxsid": "DTXSID701080301", "dtxcid": null, "casrn": "91745-95-8", "preferredName": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, 2-hydroxyethyl methacrylate and pentaethylenehexamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, 2-hydroxyethyl methacrylate and pentaethylenehexamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, 2-(dimethylamino)ethyl methacrylate and pentaethylenehexamine", "dtxsid": "DTXSID701080399", "dtxcid": null, "casrn": "91771-44-7", "preferredName": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, 2-(dimethylamino)ethyl methacrylate and pentaethylenehexamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, 2-(dimethylamino)ethyl methacrylate and pentaethylenehexamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, carboxy-terminated, polymers with bisphenol A, bisphenol A diglycidyl ether, epichlorohydrin and polypropylene glycol diamine", "dtxsid": "DTXSID70108067", "dtxcid": null, "casrn": "263901-69-5", "preferredName": "2-Propenenitrile, polymer with 1,3-butadiene, carboxy-terminated, polymers with bisphenol A, bisphenol A diglycidyl ether, epichlorohydrin and polypropylene glycol diamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenenitrile, polymer with 1,3-butadiene, carboxy-terminated, polymers with bisphenol A, bisphenol A diglycidyl ether, epichlorohydrin and polypropylene glycol diamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Formaldehyde, polymers with 1,3-benzenedimethanamine, bisphenol A, diethylenetriamine-glycidyl Ph ether reaction products, epichlorohydrin, propylene oxide and triethylenetetramine, reaction products with glycidyl o-tolyl ether, sulfamates (salts)", "dtxsid": "DTXSID701080818", "dtxcid": null, "casrn": "238080-05-2", "preferredName": "Formaldehyde, polymers with 1,3-benzenedimethanamine, bisphenol A, diethylenetriamine-glycidyl Ph ether reaction products, epichlorohydrin, propylene oxide and triethylenetetramine, reaction products with glycidyl o-tolyl ether, sulfamates (salts)", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Formaldehyde, polymers with 1,3-benzenedimethanamine, bisphenol A, diethylenetriamine-glycidyl Ph ether reaction products, epichlorohydrin, propylene oxide and triethylenetetramine, reaction products with glycidyl o-tolyl ether, sulfamates (salts)", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenoic acid, 2-hydroxyethyl ester, reaction products with bisphenol A-epichlorohydrin-propylene oxide polymer", "dtxsid": "DTXSID701086078", "dtxcid": null, "casrn": "68511-54-6", "preferredName": "2-Propenoic acid, 2-hydroxyethyl ester, reaction products with bisphenol A-epichlorohydrin-propylene oxide polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenoic acid, 2-hydroxyethyl ester, reaction products with bisphenol A-epichlorohydrin-propylene oxide polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2,5-Furandione, 3-dodecyldihydro-, reaction products with bisphenol A and methylenebis[phenol]", "dtxsid": "DTXSID701088379", "dtxcid": null, "casrn": "90387-63-6", "preferredName": "2,5-Furandione, 3-dodecyldihydro-, reaction products with bisphenol A and methylenebis[phenol]", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2,5-Furandione, 3-dodecyldihydro-, reaction products with bisphenol A and methylenebis[phenol]", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A-dodecanedioic acid-phosgene copolymer", "dtxsid": "DTXSID701094566", "dtxcid": null, "casrn": "136541-42-9", "preferredName": "Bisphenol A-dodecanedioic acid-phosgene copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A-dodecanedioic acid-phosgene copolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "CEM Ratio 2: Dieldrin:BDE-47:Tebuconazole:Chlorpyrifos:Hexachlorophene :Methyl mercuric (II) chloride: Bisphenol A: Acrylamide (1:10:20:100:5:5:10:200 molarity)", "dtxsid": "DTXSID701354869", "dtxcid": null, "casrn": "NOCAS_1354869", "preferredName": "CEM Ratio 2: Dieldrin:BDE-47:Tebuconazole:Chlorpyrifos:Hexachlorophene :Methyl mercuric (II) chloride: Bisphenol A: Acrylamide (1:10:20:100:5:5:10:200 molarity)", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "CEM Ratio 2: Dieldrin:BDE-47:Tebuconazole:Chlorpyrifos:Hexachlorophene :Methyl mercuric (II) chloride: Bisphenol A: Acrylamide (1:10:20:100:5:5:10:200 molarity)", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", "casrn": "80-05-7", "preferredName": "Bisphenol A", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(O)C=C1)C1=CC=C(O)C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "Bisphenol A", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol AF", "dtxsid": "DTXSID7037717", "dtxcid": "DTXCID5017717", "casrn": "1478-61-1", "preferredName": "Bisphenol AF", "hasStructureImage": 1, "smiles": "OC1=CC=C(C=C1)C(C1=CC=C(O)C=C1)(C(F)(F)F)C(F)(F)F", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "Bisphenol AF", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A glycidyl methacrylate", "dtxsid": "DTXSID7044841", "dtxcid": "DTXCID5024841", "casrn": "1565-94-2", "preferredName": "Bisphenol A glycidyl methacrylate", "hasStructureImage": 1, "smiles": "CC(=C)C(=O)OCC(O)COC1=CC=C(C=C1)C(C)(C)C1=CC=C(OCC(O)COC(=O)C(C)=C)C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "Bisphenol A glycidyl methacrylate", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bis(p-acryloxyethoxy)tetrabromobisphenol A", "dtxsid": "DTXSID70867243", "dtxcid": "DTXCID30815442", "casrn": "66710-97-2", "preferredName": "Bis(p-acryloxyethoxy)tetrabromobisphenol A", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC(Br)=C(OCCOC(=O)C=C)C(Br)=C1)C1=CC(Br)=C(OCCOC(=O)C=C)C(Br)=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "Bis(p-acryloxyethoxy)tetrabromobisphenol A", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A-epichlorohydrin-2,2',6,6'-tetrabromobisphenol A copolymer", "dtxsid": "DTXSID70872791", "dtxcid": null, "casrn": "26265-08-7", "preferredName": "Bisphenol A-epichlorohydrin-2,2',6,6'-tetrabromobisphenol A copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A-epichlorohydrin-2,2',6,6'-tetrabromobisphenol A copolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A-propylene oxide copolymer", "dtxsid": "DTXSID70952148", "dtxcid": null, "casrn": "29694-85-7", "preferredName": "Bisphenol A-propylene oxide copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A-propylene oxide copolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, soya, polymers with bisphenol A and epichlorohydrin", "dtxsid": "DTXSID7095571", "dtxcid": null, "casrn": "66070-76-6", "preferredName": "Fatty acids, soya, polymers with bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, soya, polymers with bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, dehydrated castor-oil fatty acids and epichlorohydrin", "dtxsid": "DTXSID7095573", "dtxcid": null, "casrn": "66070-78-8", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, dehydrated castor-oil fatty acids and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, dehydrated castor-oil fatty acids and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin and soya fatty acids", "dtxsid": "DTXSID7095575", "dtxcid": null, "casrn": "66070-80-2", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin and soya fatty acids", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin and soya fatty acids", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A and epichlorohydrin", "dtxsid": "DTXSID7095814", "dtxcid": null, "casrn": "67746-09-2", "preferredName": "Fatty acids, linseed-oil, polymers with bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, conjugated linoleic acid, epichlorohydrin and maleic anhydride", "dtxsid": "DTXSID7096125", "dtxcid": null, "casrn": "67922-81-0", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, conjugated linoleic acid, epichlorohydrin and maleic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, conjugated linoleic acid, epichlorohydrin and maleic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin and tall-oil fatty acids", "dtxsid": "DTXSID7096460", "dtxcid": null, "casrn": "68038-09-5", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin and tall-oil fatty acids", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin and tall-oil fatty acids", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, vegetable-oil, polymers with bisphenol A and epichlorohydrin", "dtxsid": "DTXSID7096670", "dtxcid": null, "casrn": "68082-63-3", "preferredName": "Fatty acids, vegetable-oil, polymers with bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, vegetable-oil, polymers with bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tall oil, polymer with bisphenol A and epichlorohydrin", "dtxsid": "DTXSID7096755", "dtxcid": null, "casrn": "68092-35-3", "preferredName": "Tall oil, polymer with bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Tall oil, polymer with bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and polypiperylene", "dtxsid": "DTXSID7096965", "dtxcid": null, "casrn": "68132-43-4", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and polypiperylene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and polypiperylene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, maleated, polymer with bisphenol A, formaldehyde and pentaerythritol", "dtxsid": "DTXSID7097143", "dtxcid": null, "casrn": "68152-61-4", "preferredName": "Rosin, maleated, polymer with bisphenol A, formaldehyde and pentaerythritol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, maleated, polymer with bisphenol A, formaldehyde and pentaerythritol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, polymer with bisphenol A and formaldehyde", "dtxsid": "DTXSID7097149", "dtxcid": null, "casrn": "68152-68-1", "preferredName": "Rosin, polymer with bisphenol A and formaldehyde", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, polymer with bisphenol A and formaldehyde", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin and rosin", "dtxsid": "DTXSID7097307", "dtxcid": null, "casrn": "68154-74-5", "preferredName": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin and rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin and rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymd., polymer with bisphenol A, p-tert-butylphenol, formaldehyde, fumaric acid, glycerol, linseed oil, pentaerythritol and rosin", "dtxsid": "DTXSID7097723", "dtxcid": null, "casrn": "68309-41-1", "preferredName": "Linseed oil, polymd., polymer with bisphenol A, p-tert-butylphenol, formaldehyde, fumaric acid, glycerol, linseed oil, pentaerythritol and rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymd., polymer with bisphenol A, p-tert-butylphenol, formaldehyde, fumaric acid, glycerol, linseed oil, pentaerythritol and rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "1,2-Ethanediamine, N-(2-aminoethyl)-, reaction products with bisphenol A diglycidyl ether homopolymer", "dtxsid": "DTXSID70988003", "dtxcid": null, "casrn": "68411-71-2", "preferredName": "1,2-Ethanediamine, N-(2-aminoethyl)-, reaction products with bisphenol A diglycidyl ether homopolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "1,2-Ethanediamine, N-(2-aminoethyl)-, reaction products with bisphenol A diglycidyl ether homopolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, linoleic acid-rich, polymers with bisphenol A, epichlorohydrin and maleic anhydride, compds. with diethylamine", "dtxsid": "DTXSID7098824", "dtxcid": null, "casrn": "68476-10-8", "preferredName": "Fatty acids, tall-oil, linoleic acid-rich, polymers with bisphenol A, epichlorohydrin and maleic anhydride, compds. with diethylamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, linoleic acid-rich, polymers with bisphenol A, epichlorohydrin and maleic anhydride, compds. with diethylamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, vegetable-oil, polymers with bisphenol A, epichlorohydrin, pentaerythritol and rosin", "dtxsid": "DTXSID7098828", "dtxcid": null, "casrn": "68476-17-5", "preferredName": "Fatty acids, vegetable-oil, polymers with bisphenol A, epichlorohydrin, pentaerythritol and rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, vegetable-oil, polymers with bisphenol A, epichlorohydrin, pentaerythritol and rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, dehydrated, polymer with bisphenol A and epichlorohydrin", "dtxsid": "DTXSID7099262", "dtxcid": null, "casrn": "68515-14-0", "preferredName": "Castor oil, dehydrated, polymer with bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, dehydrated, polymer with bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, rosin and tung oil", "dtxsid": "DTXSID7099557", "dtxcid": null, "casrn": "68552-34-1", "preferredName": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, rosin and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, rosin and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, conjugated, polymers with bisphenol A, epichlorohydrin and maleic anhydride, compds. with 2-(diethylamino)ethanol", "dtxsid": "DTXSID80100153", "dtxcid": null, "casrn": "68605-35-6", "preferredName": "Fatty acids, tall-oil, conjugated, polymers with bisphenol A, epichlorohydrin and maleic anhydride, compds. with 2-(diethylamino)ethanol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, conjugated, polymers with bisphenol A, epichlorohydrin and maleic anhydride, compds. with 2-(diethylamino)ethanol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, linseed oil, rosin and tung oil", "dtxsid": "DTXSID80100173", "dtxcid": null, "casrn": "68605-56-1", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, linseed oil, rosin and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, linseed oil, rosin and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, dipentaerythritol, formaldehyde, pentaerythritol, tall oil and tung oil", "dtxsid": "DTXSID80100239", "dtxcid": null, "casrn": "68606-50-8", "preferredName": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, dipentaerythritol, formaldehyde, pentaerythritol, tall oil and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, dipentaerythritol, formaldehyde, pentaerythritol, tall oil and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tung oil, polymer with bisphenol A, p-tert-butylphenol and formaldehyde", "dtxsid": "DTXSID80100395", "dtxcid": null, "casrn": "68608-53-7", "preferredName": "Tung oil, polymer with bisphenol A, p-tert-butylphenol and formaldehyde", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Tung oil, polymer with bisphenol A, p-tert-butylphenol and formaldehyde", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin and styrene", "dtxsid": "DTXSID80100633", "dtxcid": null, "casrn": "68647-99-4", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin and styrene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin and styrene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Oils, walnut, polymers with bisphenol A, p-tert-butylphenol, formaldehyde, pentaerythritol, rosin and tung oil", "dtxsid": "DTXSID80101160", "dtxcid": null, "casrn": "68856-02-0", "preferredName": "Oils, walnut, polymers with bisphenol A, p-tert-butylphenol, formaldehyde, pentaerythritol, rosin and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Oils, walnut, polymers with bisphenol A, p-tert-butylphenol, formaldehyde, pentaerythritol, rosin and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin and 1,1'-methylenebis[4-isocyanatobenzene]", "dtxsid": "DTXSID801012896", "dtxcid": null, "casrn": "119796-38-2", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin and 1,1'-methylenebis[4-isocyanatobenzene]", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin and 1,1'-methylenebis[4-isocyanatobenzene]", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A-d6 beta-D-glucuronide", "dtxsid": "DTXSID801017896", "dtxcid": "DTXCID001476208", "casrn": "1610029-53-2", "preferredName": "Bisphenol A-d6 beta-D-glucuronide", "hasStructureImage": 1, "smiles": "[2H]C([2H])([2H])C(C1=CC=C(O)C=C1)(C1=CC=C(O[C@@H]2O[C@@H]([C@@H](O)[C@H](O)[C@H]2O)C(O)=O)C=C1)C([2H])([2H])[2H]", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "Bisphenol A-d6 beta-D-glucuronide", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, vegetable-oil, polymers with bisphenol A, epichlorohydrin and rosin, reaction products with butanal oxime", "dtxsid": "DTXSID80101842", "dtxcid": null, "casrn": "68919-87-9", "preferredName": "Fatty acids, vegetable-oil, polymers with bisphenol A, epichlorohydrin and rosin, reaction products with butanal oxime", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, vegetable-oil, polymers with bisphenol A, epichlorohydrin and rosin, reaction products with butanal oxime", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin, linseed-oil fatty acids and rosin", "dtxsid": "DTXSID80101867", "dtxcid": null, "casrn": "68920-25-2", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin, linseed-oil fatty acids and rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin, linseed-oil fatty acids and rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C16 and C18-unsatd., polymers with bisphenol A, Bu glycidyl ether, epichlorohydrin and triethylenetetramine", "dtxsid": "DTXSID801020572", "dtxcid": null, "casrn": "105839-18-7", "preferredName": "Fatty acids, C16 and C18-unsatd., polymers with bisphenol A, Bu glycidyl ether, epichlorohydrin and triethylenetetramine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C16 and C18-unsatd., polymers with bisphenol A, Bu glycidyl ether, epichlorohydrin and triethylenetetramine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Amines, N-C11-14-sec-alkyltrimethylenedi-, compds. with bisphenol A and tetraethylenepentamine", "dtxsid": "DTXSID80102112", "dtxcid": null, "casrn": "68952-19-2", "preferredName": "Amines, N-C11-14-sec-alkyltrimethylenedi-, compds. with bisphenol A and tetraethylenepentamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Amines, N-C11-14-sec-alkyltrimethylenedi-, compds. with bisphenol A and tetraethylenepentamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bis(1,1-dimethylethyl)phenol, bisphenol A, formaldehyde and tung oil", "dtxsid": "DTXSID80102152", "dtxcid": null, "casrn": "68952-63-6", "preferredName": "Linseed oil, polymer with bis(1,1-dimethylethyl)phenol, bisphenol A, formaldehyde and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bis(1,1-dimethylethyl)phenol, bisphenol A, formaldehyde and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Propanoic acid, 2-hydroxy-, compd. with 2-(dimethylamino)ethanol-quaternized bisphenol A-epichlorohydrin-polyethylene glycol mono-tert-octyl ether-TDI polymer", "dtxsid": "DTXSID80102571", "dtxcid": null, "casrn": "68988-87-4", "preferredName": "Propanoic acid, 2-hydroxy-, compd. with 2-(dimethylamino)ethanol-quaternized bisphenol A-epichlorohydrin-polyethylene glycol mono-tert-octyl ether-TDI polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Propanoic acid, 2-hydroxy-, compd. with 2-(dimethylamino)ethanol-quaternized bisphenol A-epichlorohydrin-polyethylene glycol mono-tert-octyl ether-TDI polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A diglycidyl ether, C18-unsatd. fatty acid trimers, dehydrated castor oil, linseed oil, menhaden oil, oiticica oil, pentaerythritol, soybean oil, tall-oil fatty acids and tung oil", "dtxsid": "DTXSID80102617", "dtxcid": null, "casrn": "68989-62-8", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A diglycidyl ether, C18-unsatd. fatty acid trimers, dehydrated castor oil, linseed oil, menhaden oil, oiticica oil, pentaerythritol, soybean oil, tall-oil fatty acids and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A diglycidyl ether, C18-unsatd. fatty acid trimers, dehydrated castor oil, linseed oil, menhaden oil, oiticica oil, pentaerythritol, soybean oil, tall-oil fatty acids and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Silsesquioxanes, Ph, polymers with bisphenol A diglycidyl ether and 3-(triethoxysilyl)-1-propanamine", "dtxsid": "DTXSID80103245", "dtxcid": null, "casrn": "70084-97-8", "preferredName": "Silsesquioxanes, Ph, polymers with bisphenol A diglycidyl ether and 3-(triethoxysilyl)-1-propanamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Silsesquioxanes, Ph, polymers with bisphenol A diglycidyl ether and 3-(triethoxysilyl)-1-propanamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, dehydrated, polymer with bisphenol A, p-tert-butylbenzoic acid, epichlorohydrin, isophthalic acid, pentaerythritol, phthalic anhydride and polyethylene glycol, compd. with triethylamine", "dtxsid": "DTXSID80103341", "dtxcid": null, "casrn": "70321-62-9", "preferredName": "Castor oil, dehydrated, polymer with bisphenol A, p-tert-butylbenzoic acid, epichlorohydrin, isophthalic acid, pentaerythritol, phthalic anhydride and polyethylene glycol, compd. with triethylamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, dehydrated, polymer with bisphenol A, p-tert-butylbenzoic acid, epichlorohydrin, isophthalic acid, pentaerythritol, phthalic anhydride and polyethylene glycol, compd. with triethylamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, maleated, polymer with bisphenol A, p-tert-butylphenol, formaldehyde and glycerol", "dtxsid": "DTXSID80103705", "dtxcid": null, "casrn": "70955-43-0", "preferredName": "Rosin, maleated, polymer with bisphenol A, p-tert-butylphenol, formaldehyde and glycerol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, maleated, polymer with bisphenol A, p-tert-butylphenol, formaldehyde and glycerol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, linseed oil, maleic anhydride, pentaerythritol, ricinoleic acid and tung oil", "dtxsid": "DTXSID80103881", "dtxcid": null, "casrn": "71243-55-5", "preferredName": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, linseed oil, maleic anhydride, pentaerythritol, ricinoleic acid and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, linseed oil, maleic anhydride, pentaerythritol, ricinoleic acid and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Cashew, nutshell liq., polymer with bisphenol A, epichlorohydrin, formaldehyde, furfural and phenol", "dtxsid": "DTXSID80104712", "dtxcid": null, "casrn": "73138-32-6", "preferredName": "Cashew, nutshell liq., polymer with bisphenol A, epichlorohydrin, formaldehyde, furfural and phenol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Cashew, nutshell liq., polymer with bisphenol A, epichlorohydrin, formaldehyde, furfural and phenol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tallow, polymers with bisphenol A, diethanolamine, epichlorohydrin, 2-hydroxyethyl methacrylate, methacrylic acid, TDI, 3a,4,7,7a-tetrahydro-1,3-isobenzofurandione and triethylamine", "dtxsid": "DTXSID80104737", "dtxcid": null, "casrn": "73138-61-1", "preferredName": "Fatty acids, tallow, polymers with bisphenol A, diethanolamine, epichlorohydrin, 2-hydroxyethyl methacrylate, methacrylic acid, TDI, 3a,4,7,7a-tetrahydro-1,3-isobenzofurandione and triethylamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tallow, polymers with bisphenol A, diethanolamine, epichlorohydrin, 2-hydroxyethyl methacrylate, methacrylic acid, TDI, 3a,4,7,7a-tetrahydro-1,3-isobenzofurandione and triethylamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, reaction products with bisphenol A, glycerol and pentaerythritol", "dtxsid": "DTXSID80104757", "dtxcid": null, "casrn": "73138-83-7", "preferredName": "Rosin, reaction products with bisphenol A, glycerol and pentaerythritol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, reaction products with bisphenol A, glycerol and pentaerythritol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, soya, polymers with acrylic acid, bisphenol A, epichlorohydrin and styrene", "dtxsid": "DTXSID80105082", "dtxcid": null, "casrn": "79770-96-0", "preferredName": "Fatty acids, soya, polymers with acrylic acid, bisphenol A, epichlorohydrin and styrene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, soya, polymers with acrylic acid, bisphenol A, epichlorohydrin and styrene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Vinyl acetal polymers, butyrals, polymers with acrylic acid, bisphenol A, epichlorohydrin, Et acrylate, Me methacrylate and styrene", "dtxsid": "DTXSID80105305", "dtxcid": null, "casrn": "86394-17-4", "preferredName": "Vinyl acetal polymers, butyrals, polymers with acrylic acid, bisphenol A, epichlorohydrin, Et acrylate, Me methacrylate and styrene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Vinyl acetal polymers, butyrals, polymers with acrylic acid, bisphenol A, epichlorohydrin, Et acrylate, Me methacrylate and styrene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, 3-hydroxy-2-(hydroxymethyl)-2-methylpropanoic acid and soya fatty acids", "dtxsid": "DTXSID80105446", "dtxcid": null, "casrn": "94334-60-8", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, 3-hydroxy-2-(hydroxymethyl)-2-methylpropanoic acid and soya fatty acids", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, 3-hydroxy-2-(hydroxymethyl)-2-methylpropanoic acid and soya fatty acids", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Amines, coco alkyl, polymers with bisphenol A, 1,4-butanediol, diethylenetriamine, epichlorohydrin, 3-mercaptopropionic acid and 2-(methylamino)ethanol, lactates (salts)", "dtxsid": "DTXSID80105502", "dtxcid": null, "casrn": "96097-23-3", "preferredName": "Amines, coco alkyl, polymers with bisphenol A, 1,4-butanediol, diethylenetriamine, epichlorohydrin, 3-mercaptopropionic acid and 2-(methylamino)ethanol, lactates (salts)", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Amines, coco alkyl, polymers with bisphenol A, 1,4-butanediol, diethylenetriamine, epichlorohydrin, 3-mercaptopropionic acid and 2-(methylamino)ethanol, lactates (salts)", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and polymd. rosin", "dtxsid": "DTXSID80105547", "dtxcid": null, "casrn": "96349-74-5", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and polymd. rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and polymd. rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, dehydrated, polymer with bisphenol A, p-tert-butylphenol, copals, formaldehyde, glycerol, linseed oil and phthalic anhydride", "dtxsid": "DTXSID80105603", "dtxcid": null, "casrn": "96873-80-2", "preferredName": "Castor oil, dehydrated, polymer with bisphenol A, p-tert-butylphenol, copals, formaldehyde, glycerol, linseed oil and phthalic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, dehydrated, polymer with bisphenol A, p-tert-butylphenol, copals, formaldehyde, glycerol, linseed oil and phthalic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, polymer with bisphenol A, p-tert-butylphenol, formaldehyde and phenol, magnesium salt", "dtxsid": "DTXSID80106059", "dtxcid": null, "casrn": "116265-72-6", "preferredName": "Rosin, polymer with bisphenol A, p-tert-butylphenol, formaldehyde and phenol, magnesium salt", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, polymer with bisphenol A, p-tert-butylphenol, formaldehyde and phenol, magnesium salt", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Soybean oil, polymer with benzoic acid, bisphenol A, p-tert-butylphenol, formaldehyde, glycerol, isophthalic acid and pentaerythritol", "dtxsid": "DTXSID80106155", "dtxcid": null, "casrn": "123209-64-3", "preferredName": "Soybean oil, polymer with benzoic acid, bisphenol A, p-tert-butylphenol, formaldehyde, glycerol, isophthalic acid and pentaerythritol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Soybean oil, polymer with benzoic acid, bisphenol A, p-tert-butylphenol, formaldehyde, glycerol, isophthalic acid and pentaerythritol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, 3-carboxy-1-cyano-1-methylpropyl-terminated acrylonitrile-butadiene polymer, epichlorohydrin and polypropylene glycol", "dtxsid": "DTXSID80106337", "dtxcid": null, "casrn": "130354-39-1", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, 3-carboxy-1-cyano-1-methylpropyl-terminated acrylonitrile-butadiene polymer, epichlorohydrin and polypropylene glycol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, 3-carboxy-1-cyano-1-methylpropyl-terminated acrylonitrile-butadiene polymer, epichlorohydrin and polypropylene glycol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, Bu methacrylate, epichlorohydrin, Me methacrylate and methacrylic acid", "dtxsid": "DTXSID80106473", "dtxcid": null, "casrn": "138838-06-9", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, Bu methacrylate, epichlorohydrin, Me methacrylate and methacrylic acid", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, Bu methacrylate, epichlorohydrin, Me methacrylate and methacrylic acid", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A-dichlorodiphenyl sulfone copolymer", "dtxsid": "DTXSID801068063", "dtxcid": null, "casrn": "51161-04-7", "preferredName": "Bisphenol A-dichlorodiphenyl sulfone copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A-dichlorodiphenyl sulfone copolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol, isophthalic acid and pentaerythritol", "dtxsid": "DTXSID80106938", "dtxcid": null, "casrn": "158086-55-6", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol, isophthalic acid and pentaerythritol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol, isophthalic acid and pentaerythritol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Butenedioic acid (2Z)-, polymers with bisphenol A, epichlorohydrin, formaldehyde-phenol polymer glycidyl ether, vinyl acetate and vinyl chloride", "dtxsid": "DTXSID80107127", "dtxcid": null, "casrn": "170083-00-8", "preferredName": "2-Butenedioic acid (2Z)-, polymers with bisphenol A, epichlorohydrin, formaldehyde-phenol polymer glycidyl ether, vinyl acetate and vinyl chloride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Butenedioic acid (2Z)-, polymers with bisphenol A, epichlorohydrin, formaldehyde-phenol polymer glycidyl ether, vinyl acetate and vinyl chloride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Phosphoric trichloride, reaction products with bisphenol A and phenol", "dtxsid": "DTXSID80107228", "dtxcid": null, "casrn": "181028-79-5", "preferredName": "Phosphoric trichloride, reaction products with bisphenol A and phenol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Phosphoric trichloride, reaction products with bisphenol A and phenol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Hydrochloric acid, reaction products with bisphenol A-epichlorohydrin polymer", "dtxsid": "DTXSID801073876", "dtxcid": null, "casrn": "161308-13-0", "preferredName": "Hydrochloric acid, reaction products with bisphenol A-epichlorohydrin polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Hydrochloric acid, reaction products with bisphenol A-epichlorohydrin polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, reaction products with bisphenol A-epichlorohydrin polymer", "dtxsid": "DTXSID801074486", "dtxcid": null, "casrn": "1181206-06-3", "preferredName": "Fatty acids, tall-oil, reaction products with bisphenol A-epichlorohydrin polymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, reaction products with bisphenol A-epichlorohydrin polymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, linoleic acid and rosin", "dtxsid": "DTXSID80107506", "dtxcid": null, "casrn": "199876-49-8", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, linoleic acid and rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin, linoleic acid and rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, Bu glycidyl ether and epichlorohydrin", "dtxsid": "DTXSID80107561", "dtxcid": null, "casrn": "215395-63-4", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, Bu glycidyl ether and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, Bu glycidyl ether and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, isophthalic acid and 1,1′-[(1-methylethylidene)bis(4,1-phenyleneoxy)]bis[2-propanol]", "dtxsid": "DTXSID801079343", "dtxcid": null, "casrn": "68648-03-3", "preferredName": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, isophthalic acid and 1,1′-[(1-methylethylidene)bis(4,1-phenyleneoxy)]bis[2-propanol]", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, isophthalic acid and 1,1′-[(1-methylethylidene)bis(4,1-phenyleneoxy)]bis[2-propanol]", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, hydrogenated, polymers with 2-[(2-aminoethyl)amino]ethanol, azelaic acid, bisphenol A, diethylenetriamine and epichlorohydrin", "dtxsid": "DTXSID801079498", "dtxcid": null, "casrn": "96097-31-3", "preferredName": "Fatty acids, C18-unsatd., dimers, hydrogenated, polymers with 2-[(2-aminoethyl)amino]ethanol, azelaic acid, bisphenol A, diethylenetriamine and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, hydrogenated, polymers with 2-[(2-aminoethyl)amino]ethanol, azelaic acid, bisphenol A, diethylenetriamine and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "9,12-Octadecadienoic acid (9Z,12Z)-, dimer, polymer with 1,2-ethanediamine, reaction products with bisphenol A-epichlorohydrin polymer and glycidyl neodecanoate", "dtxsid": "DTXSID801079531", "dtxcid": null, "casrn": "162491-87-4", "preferredName": "9,12-Octadecadienoic acid (9Z,12Z)-, dimer, polymer with 1,2-ethanediamine, reaction products with bisphenol A-epichlorohydrin polymer and glycidyl neodecanoate", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "9,12-Octadecadienoic acid (9Z,12Z)-, dimer, polymer with 1,2-ethanediamine, reaction products with bisphenol A-epichlorohydrin polymer and glycidyl neodecanoate", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, formaldehyde and pentaethylenehexamine", "dtxsid": "DTXSID801079979", "dtxcid": null, "casrn": "91722-31-5", "preferredName": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, formaldehyde and pentaethylenehexamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Tall oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, formaldehyde and pentaethylenehexamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Oils, pine, reaction products with bisphenol A-epichlorohydrin polymer, Bu glycidyl ether, 2,4,6-tris[(dimethylamino)methyl]phenol, ethanol, linoleic acid and triethylenetetramine", "dtxsid": "DTXSID801079981", "dtxcid": null, "casrn": "69278-85-9", "preferredName": "Oils, pine, reaction products with bisphenol A-epichlorohydrin polymer, Bu glycidyl ether, 2,4,6-tris[(dimethylamino)methyl]phenol, ethanol, linoleic acid and triethylenetetramine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Oils, pine, reaction products with bisphenol A-epichlorohydrin polymer, Bu glycidyl ether, 2,4,6-tris[(dimethylamino)methyl]phenol, ethanol, linoleic acid and triethylenetetramine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C16-18 and C18-unsatd., branched and linear, polymers with bisphenol A, C18-unsatd. fatty acid dimers, epichlorohydrin, tetraethylenepentamine and triethylenetetramine", "dtxsid": "DTXSID801080009", "dtxcid": null, "casrn": "157707-75-0", "preferredName": "Fatty acids, C16-18 and C18-unsatd., branched and linear, polymers with bisphenol A, C18-unsatd. fatty acid dimers, epichlorohydrin, tetraethylenepentamine and triethylenetetramine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C16-18 and C18-unsatd., branched and linear, polymers with bisphenol A, C18-unsatd. fatty acid dimers, epichlorohydrin, tetraethylenepentamine and triethylenetetramine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, formaldehyde and pentaethylenehexamine", "dtxsid": "DTXSID801080047", "dtxcid": null, "casrn": "91722-77-9", "preferredName": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, formaldehyde and pentaethylenehexamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, formaldehyde and pentaethylenehexamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, N-(hydroxymethyl)-2-propenamide and pentaethylenehexamine", "dtxsid": "DTXSID801080366", "dtxcid": null, "casrn": "97808-40-7", "preferredName": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, N-(hydroxymethyl)-2-propenamide and pentaethylenehexamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, carbon dioxide, N-(hydroxymethyl)-2-propenamide and pentaethylenehexamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "1,3-Isobenzofurandione, hexahydro-5-methyl-, reaction products with bisphenol A and methylenebis[phenol]", "dtxsid": "DTXSID801087174", "dtxcid": null, "casrn": "90412-38-7", "preferredName": "1,3-Isobenzofurandione, hexahydro-5-methyl-, reaction products with bisphenol A and methylenebis[phenol]", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "1,3-Isobenzofurandione, hexahydro-5-methyl-, reaction products with bisphenol A and methylenebis[phenol]", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A-isophthaloyl chloride-terephthaloyl chloride copolymer", "dtxsid": "DTXSID801092163", "dtxcid": null, "casrn": "25639-68-3", "preferredName": "Bisphenol A-isophthaloyl chloride-terephthaloyl chloride copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A-isophthaloyl chloride-terephthaloyl chloride copolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A-butyl glycidyl ether-epichlorohydrin copolymer", "dtxsid": "DTXSID801093361", "dtxcid": null, "casrn": "29407-84-9", "preferredName": "Bisphenol A-butyl glycidyl ether-epichlorohydrin copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A-butyl glycidyl ether-epichlorohydrin copolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Trichlorobisphenol A", "dtxsid": "DTXSID801315092", "dtxcid": "DTXCID501745004", "casrn": "40346-55-2", "preferredName": "Trichlorobisphenol A", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(O)C(Cl)=C1)C1=CC(Cl)=C(O)C(Cl)=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "Trichlorobisphenol A", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Reaction products of Soya and Linseed Oil Fatty Acids with Bisphenol A diglycidylether", "dtxsid": "DTXSID801352797", "dtxcid": null, "casrn": "NOCAS_1352797", "preferredName": "Reaction products of Soya and Linseed Oil Fatty Acids with Bisphenol A diglycidylether", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Reaction products of Soya and Linseed Oil Fatty Acids with Bisphenol A diglycidylether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A + Acrylamide (1:10 molarity)", "dtxsid": "DTXSID801354862", "dtxcid": null, "casrn": "NOCAS_1354862", "preferredName": "Bisphenol A + Acrylamide (1:10 molarity)", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A + Acrylamide (1:10 molarity)", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "3,3'-Dimethylbisphenol A", "dtxsid": "DTXSID8047890", "dtxcid": "DTXCID4027866", "casrn": "79-97-0", "preferredName": "3,3'-Dimethylbisphenol A", "hasStructureImage": 1, "smiles": "CC1=CC(=CC=C1O)C(C)(C)C1=CC(C)=C(O)C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "3,3'-Dimethylbisphenol A", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A bis(2-hydroxypropyl) ether", "dtxsid": "DTXSID8051592", "dtxcid": "DTXCID2030144", "casrn": "116-37-0", "preferredName": "Bisphenol A bis(2-hydroxypropyl) ether", "hasStructureImage": 1, "smiles": "CC(O)COC1=CC=C(C=C1)C(C)(C)C1=CC=C(OCC(C)O)C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "Bisphenol A bis(2-hydroxypropyl) ether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Dibromobisphenol A", "dtxsid": "DTXSID80904259", "dtxcid": "DTXCID401333408", "casrn": "29426-78-6", "preferredName": "Dibromobisphenol A", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC(Br)=C(O)C=C1)C1=CC(Br)=C(O)C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "Dibromobisphenol A", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, soya, polymers with bisphenol A, epichlorohydrin and phthalic anhydride", "dtxsid": "DTXSID8095809", "dtxcid": null, "casrn": "67746-04-7", "preferredName": "Fatty acids, soya, polymers with bisphenol A, epichlorohydrin and phthalic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, soya, polymers with bisphenol A, epichlorohydrin and phthalic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Safflower oil, polymer with bisphenol A, epichlorohydrin, pentaerythritol and phthalic anhydride", "dtxsid": "DTXSID8096243", "dtxcid": null, "casrn": "67989-29-1", "preferredName": "Safflower oil, polymer with bisphenol A, epichlorohydrin, pentaerythritol and phthalic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Safflower oil, polymer with bisphenol A, epichlorohydrin, pentaerythritol and phthalic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin and linseed-oil fatty acids", "dtxsid": "DTXSID8096459", "dtxcid": null, "casrn": "68038-08-4", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin and linseed-oil fatty acids", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin and linseed-oil fatty acids", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, formaldehyde, glycerol, phthalic anhydride and rosin", "dtxsid": "DTXSID8097471", "dtxcid": null, "casrn": "68188-64-7", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, formaldehyde, glycerol, phthalic anhydride and rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, formaldehyde, glycerol, phthalic anhydride and rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, p-tert-butylphenol, formaldehyde, pentaerythritol and 4,5,6,7-tetrabromo-1,3-isobenzofurandione", "dtxsid": "DTXSID8098071", "dtxcid": null, "casrn": "68410-29-7", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, p-tert-butylphenol, formaldehyde, pentaerythritol and 4,5,6,7-tetrabromo-1,3-isobenzofurandione", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, p-tert-butylphenol, formaldehyde, pentaerythritol and 4,5,6,7-tetrabromo-1,3-isobenzofurandione", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, p-tert-butylphenol and epichlorohydrin", "dtxsid": "DTXSID8098239", "dtxcid": null, "casrn": "68424-46-4", "preferredName": "Fatty acids, linseed-oil, polymers with bisphenol A, p-tert-butylphenol and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, p-tert-butylphenol and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol and tung oil", "dtxsid": "DTXSID8098281", "dtxcid": null, "casrn": "68425-06-9", "preferredName": "Rosin, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, ethylenediamine, formaldehyde, glycerol, isophthalic acid, linseed oil, maleic anhydride, rosin, tall-oil fatty acids, 1-tridecanol and trimethylolpropane", "dtxsid": "DTXSID8098730", "dtxcid": null, "casrn": "68459-39-2", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, ethylenediamine, formaldehyde, glycerol, isophthalic acid, linseed oil, maleic anhydride, rosin, tall-oil fatty acids, 1-tridecanol and trimethylolpropane", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, ethylenediamine, formaldehyde, glycerol, isophthalic acid, linseed oil, maleic anhydride, rosin, tall-oil fatty acids, 1-tridecanol and trimethylolpropane", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin and rosin", "dtxsid": "DTXSID8098736", "dtxcid": null, "casrn": "68459-46-1", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin and rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin and rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, polymer with bisphenol A, glycerol, pentaerythritol and tung oil", "dtxsid": "DTXSID8098780", "dtxcid": null, "casrn": "68474-60-2", "preferredName": "Rosin, polymer with bisphenol A, glycerol, pentaerythritol and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, polymer with bisphenol A, glycerol, pentaerythritol and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A and bisphenol A diglycidyl ether", "dtxsid": "DTXSID8098817", "dtxcid": null, "casrn": "68476-01-7", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A and bisphenol A diglycidyl ether", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A and bisphenol A diglycidyl ether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin and styrene", "dtxsid": "DTXSID90100129", "dtxcid": null, "casrn": "68605-09-4", "preferredName": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin and styrene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin and styrene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and maleic anhydride, compds. with diethylamine", "dtxsid": "DTXSID90100169", "dtxcid": null, "casrn": "68605-52-7", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and maleic anhydride, compds. with diethylamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and maleic anhydride, compds. with diethylamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, maleic anhydride and pentaerythritol", "dtxsid": "DTXSID90100240", "dtxcid": null, "casrn": "68606-51-9", "preferredName": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, maleic anhydride and pentaerythritol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, maleic anhydride and pentaerythritol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tung oil, polymer with bisphenol A and formaldehyde, oxidized", "dtxsid": "DTXSID90101015", "dtxcid": null, "casrn": "68814-46-0", "preferredName": "Tung oil, polymer with bisphenol A and formaldehyde, oxidized", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Tung oil, polymer with bisphenol A and formaldehyde, oxidized", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with acrylic acid, bisphenol A, epichlorohydrin, styrene and tung oil", "dtxsid": "DTXSID90101030", "dtxcid": null, "casrn": "68814-76-6", "preferredName": "Fatty acids, linseed-oil, polymers with acrylic acid, bisphenol A, epichlorohydrin, styrene and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with acrylic acid, bisphenol A, epichlorohydrin, styrene and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with polyalkylenepolyamines and tall-oil fatty acids, reaction products with bisphenol A-epichlorohydrin polymer and diethylenetriamine", "dtxsid": "DTXSID90101550", "dtxcid": null, "casrn": "68915-98-0", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with polyalkylenepolyamines and tall-oil fatty acids, reaction products with bisphenol A-epichlorohydrin polymer and diethylenetriamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with polyalkylenepolyamines and tall-oil fatty acids, reaction products with bisphenol A-epichlorohydrin polymer and diethylenetriamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, maleic anhydride and tall-oil fatty acids", "dtxsid": "DTXSID90102087", "dtxcid": null, "casrn": "68951-79-1", "preferredName": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, maleic anhydride and tall-oil fatty acids", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, epichlorohydrin, maleic anhydride and tall-oil fatty acids", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Soybean oil, polymer with bis(1,1-dimethylethyl)phenol, bisphenol A, formaldehyde, glycerol and phthalic anhydride", "dtxsid": "DTXSID90102123", "dtxcid": null, "casrn": "68952-31-8", "preferredName": "Soybean oil, polymer with bis(1,1-dimethylethyl)phenol, bisphenol A, formaldehyde, glycerol and phthalic anhydride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Soybean oil, polymer with bis(1,1-dimethylethyl)phenol, bisphenol A, formaldehyde, glycerol and phthalic anhydride", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, polymer with bis(1,1-dimethylethyl)phenol, bisphenol A, formaldehyde, polymd. linseed oil and tung oil, zinc salt", "dtxsid": "DTXSID90102168", "dtxcid": null, "casrn": "68952-87-4", "preferredName": "Castor oil, polymer with bis(1,1-dimethylethyl)phenol, bisphenol A, formaldehyde, polymd. linseed oil and tung oil, zinc salt", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, polymer with bis(1,1-dimethylethyl)phenol, bisphenol A, formaldehyde, polymd. linseed oil and tung oil, zinc salt", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and vegetable-oil fatty acids", "dtxsid": "DTXSID90102360", "dtxcid": null, "casrn": "68956-29-6", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and vegetable-oil fatty acids", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and vegetable-oil fatty acids", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, maleated, polymer with bisphenol A, epichlorohydrin and pentaerythritol", "dtxsid": "DTXSID90102401", "dtxcid": null, "casrn": "68956-84-3", "preferredName": "Rosin, maleated, polymer with bisphenol A, epichlorohydrin and pentaerythritol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, maleated, polymer with bisphenol A, epichlorohydrin and pentaerythritol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenoic acid, 2-methyl-, 2-oxiranylmethyl ester, reaction products with bisphenol A diglycidyl ether, carboxy-terminated polybutadiene and polyethylene glycol diglycidyl ether", "dtxsid": "DTXSID90102522", "dtxcid": null, "casrn": "68988-00-1", "preferredName": "2-Propenoic acid, 2-methyl-, 2-oxiranylmethyl ester, reaction products with bisphenol A diglycidyl ether, carboxy-terminated polybutadiene and polyethylene glycol diglycidyl ether", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenoic acid, 2-methyl-, 2-oxiranylmethyl ester, reaction products with bisphenol A diglycidyl ether, carboxy-terminated polybutadiene and polyethylene glycol diglycidyl ether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Resin acids and Rosin acids, esters with pentaerythritol, polymers with bis(1,1-dimethylethyl)phenol, bisphenol A, formaldehyde, tung oil and zinc resinate", "dtxsid": "DTXSID90102582", "dtxcid": null, "casrn": "68989-04-8", "preferredName": "Resin acids and Rosin acids, esters with pentaerythritol, polymers with bis(1,1-dimethylethyl)phenol, bisphenol A, formaldehyde, tung oil and zinc resinate", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Resin acids and Rosin acids, esters with pentaerythritol, polymers with bis(1,1-dimethylethyl)phenol, bisphenol A, formaldehyde, tung oil and zinc resinate", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, polymer with bisphenol A, formaldehyde, glycerol, soybean oil and tung oil", "dtxsid": "DTXSID90102688", "dtxcid": null, "casrn": "68990-70-5", "preferredName": "Rosin, polymer with bisphenol A, formaldehyde, glycerol, soybean oil and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, polymer with bisphenol A, formaldehyde, glycerol, soybean oil and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Phenol, 4-methyl-, reaction products with bisphenol A-epichlorohydrin polymer and butoxymethanol", "dtxsid": "DTXSID90102784", "dtxcid": null, "casrn": "69011-34-3", "preferredName": "Phenol, 4-methyl-, reaction products with bisphenol A-epichlorohydrin polymer and butoxymethanol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Phenol, 4-methyl-, reaction products with bisphenol A-epichlorohydrin polymer and butoxymethanol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A disulfate", "dtxsid": "DTXSID901028131", "dtxcid": "DTXCID70841164", "casrn": "NOCAS_1028131", "preferredName": "Bisphenol A disulfate", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(OS(O)(=O)=O)C=C1)C1=CC=C(OS(O)(=O)=O)C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Approved Name", + "searchValue": "Bisphenol A disulfate", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, soya, polymers with bisphenol A, epichlorohydrin, linoleic acid, 9,11-octadecadienoic acid, 10,12-octadecadienoic acid and oleic acid", "dtxsid": "DTXSID90103195", "dtxcid": null, "casrn": "70025-02-4", "preferredName": "Fatty acids, soya, polymers with bisphenol A, epichlorohydrin, linoleic acid, 9,11-octadecadienoic acid, 10,12-octadecadienoic acid and oleic acid", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, soya, polymers with bisphenol A, epichlorohydrin, linoleic acid, 9,11-octadecadienoic acid, 10,12-octadecadienoic acid and oleic acid", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, linseed-oil fatty acids, methacrylic acid, soya fatty acids and styrene", "dtxsid": "DTXSID90103478", "dtxcid": null, "casrn": "70775-89-2", "preferredName": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, linseed-oil fatty acids, methacrylic acid, soya fatty acids and styrene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, polymers with bisphenol A, epichlorohydrin, linseed-oil fatty acids, methacrylic acid, soya fatty acids and styrene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with benzoic acid, bisphenol A, epichlorohydrin and maleic anhydride, hydrolyzed", "dtxsid": "DTXSID90103751", "dtxcid": null, "casrn": "70983-83-4", "preferredName": "Fatty acids, linseed-oil, polymers with benzoic acid, bisphenol A, epichlorohydrin and maleic anhydride, hydrolyzed", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with benzoic acid, bisphenol A, epichlorohydrin and maleic anhydride, hydrolyzed", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, vegetable-oil, polymers with bisphenol A, epichlorohydrin and tetraethylenepentamine", "dtxsid": "DTXSID90103756", "dtxcid": null, "casrn": "70983-90-3", "preferredName": "Fatty acids, vegetable-oil, polymers with bisphenol A, epichlorohydrin and tetraethylenepentamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, vegetable-oil, polymers with bisphenol A, epichlorohydrin and tetraethylenepentamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with benzoic acid, bisphenol A, epichlorohydrin and maleic anhydride, compds. with 2-(dimethylamino)ethanol", "dtxsid": "DTXSID90104187", "dtxcid": null, "casrn": "71965-30-5", "preferredName": "Fatty acids, linseed-oil, polymers with benzoic acid, bisphenol A, epichlorohydrin and maleic anhydride, compds. with 2-(dimethylamino)ethanol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with benzoic acid, bisphenol A, epichlorohydrin and maleic anhydride, compds. with 2-(dimethylamino)ethanol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A-diphenyl isophthalate-diphenyl terephthalate copolymer", "dtxsid": "DTXSID901043507", "dtxcid": null, "casrn": "51706-10-6", "preferredName": "Bisphenol A-diphenyl isophthalate-diphenyl terephthalate copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A-diphenyl isophthalate-diphenyl terephthalate copolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Vinyl acetal polymers, butyrals, polymers with bisphenol A, epichlorohydrin, Et acrylate, Me methacrylate, methacrylic acid and styrene", "dtxsid": "DTXSID90105497", "dtxcid": null, "casrn": "95823-38-4", "preferredName": "Vinyl acetal polymers, butyrals, polymers with bisphenol A, epichlorohydrin, Et acrylate, Me methacrylate, methacrylic acid and styrene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Vinyl acetal polymers, butyrals, polymers with bisphenol A, epichlorohydrin, Et acrylate, Me methacrylate, methacrylic acid and styrene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, formaldehyde, glycerol, isophthalic acid, rosin and trimethylolpropane, complex with oxo(2-propanolato)aluminum", "dtxsid": "DTXSID90105533", "dtxcid": null, "casrn": "96278-64-7", "preferredName": "Linseed oil, polymer with bisphenol A, formaldehyde, glycerol, isophthalic acid, rosin and trimethylolpropane, complex with oxo(2-propanolato)aluminum", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, formaldehyde, glycerol, isophthalic acid, rosin and trimethylolpropane, complex with oxo(2-propanolato)aluminum", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, p-tert-butylphenol, epichlorohydrin, formaldehyde, heavy thermal cracked petroleum distillates and tung oil", "dtxsid": "DTXSID90105750", "dtxcid": null, "casrn": "100816-03-3", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, p-tert-butylphenol, epichlorohydrin, formaldehyde, heavy thermal cracked petroleum distillates and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, p-tert-butylphenol, epichlorohydrin, formaldehyde, heavy thermal cracked petroleum distillates and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol, phthalic anhydride and tung oil", "dtxsid": "DTXSID90106060", "dtxcid": null, "casrn": "116265-73-7", "preferredName": "Fatty acids, linseed-oil, polymers with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol, phthalic anhydride and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, p-tert-butylphenol, formaldehyde, glycerol, phthalic anhydride and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Phosphorous acid, mixed esters with bisphenol A and C12-15-alcs.", "dtxsid": "DTXSID901071742", "dtxcid": null, "casrn": "92908-32-2", "preferredName": "Phosphorous acid, mixed esters with bisphenol A and C12-15-alcs.", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Phosphorous acid, mixed esters with bisphenol A and C12-15-alcs.", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A diglycidyl ether-bisphenol F diglycidyl ether copolymer", "dtxsid": "DTXSID901072314", "dtxcid": null, "casrn": "134164-50-4", "preferredName": "Bisphenol A diglycidyl ether-bisphenol F diglycidyl ether copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A diglycidyl ether-bisphenol F diglycidyl ether copolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Phosphoric acid, reaction products with Bu alc., bisphenol A and epichlorohydrin", "dtxsid": "DTXSID901074358", "dtxcid": null, "casrn": "1187544-06-4", "preferredName": "Phosphoric acid, reaction products with Bu alc., bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Phosphoric acid, reaction products with Bu alc., bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenoic acid, polymer with 1,3-butadiene and 2-propenenitrile, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A, 3-carboxy-1-cyano-1-methylpropyl-terminated acrylonitrile-butadiene polymer and epichlorohydrin", "dtxsid": "DTXSID90107496", "dtxcid": null, "casrn": "198495-74-8", "preferredName": "2-Propenoic acid, polymer with 1,3-butadiene and 2-propenenitrile, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A, 3-carboxy-1-cyano-1-methylpropyl-terminated acrylonitrile-butadiene polymer and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenoic acid, polymer with 1,3-butadiene and 2-propenenitrile, 3-carboxy-1-cyano-1-methylpropyl-terminated, polymers with bisphenol A, 3-carboxy-1-cyano-1-methylpropyl-terminated acrylonitrile-butadiene polymer and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Siloxanes and Silicones, di-Me, (dimethylamino)-terminated, polymers with bisphenol A and 1,1′-sulfonylbis[4-chlorobenzene]", "dtxsid": "DTXSID901078079", "dtxcid": null, "casrn": "71631-11-3", "preferredName": "Siloxanes and Silicones, di-Me, (dimethylamino)-terminated, polymers with bisphenol A and 1,1′-sulfonylbis[4-chlorobenzene]", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Siloxanes and Silicones, di-Me, (dimethylamino)-terminated, polymers with bisphenol A and 1,1′-sulfonylbis[4-chlorobenzene]", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Siloxanes and Silicones, di-Me, polymers with bisphenol A, carbonic acid and 4,4′-(1-methylethylidene)bis[2,6-dibromophenol]", "dtxsid": "DTXSID901078124", "dtxcid": null, "casrn": "68440-79-9", "preferredName": "Siloxanes and Silicones, di-Me, polymers with bisphenol A, carbonic acid and 4,4′-(1-methylethylidene)bis[2,6-dibromophenol]", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Siloxanes and Silicones, di-Me, polymers with bisphenol A, carbonic acid and 4,4′-(1-methylethylidene)bis[2,6-dibromophenol]", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "2-Propenoic acid, reaction products with bisphenol A, 2-[(C12-14-alkyloxy)methyl]oxirane, epichlorohydrin and 4,4′-methylenebis[phenol]", "dtxsid": "DTXSID901078655", "dtxcid": null, "casrn": "1179957-60-8", "preferredName": "2-Propenoic acid, reaction products with bisphenol A, 2-[(C12-14-alkyloxy)methyl]oxirane, epichlorohydrin and 4,4′-methylenebis[phenol]", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "2-Propenoic acid, reaction products with bisphenol A, 2-[(C12-14-alkyloxy)methyl]oxirane, epichlorohydrin and 4,4′-methylenebis[phenol]", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C18-unsatd., dimers, reaction products with acrylic acid, bisphenol A, 1,6-diisocyanatohexane, epichlorohydrin and 2-hydroxypropyl acrylate", "dtxsid": "DTXSID901079265", "dtxcid": null, "casrn": "1187440-09-0", "preferredName": "Fatty acids, C18-unsatd., dimers, reaction products with acrylic acid, bisphenol A, 1,6-diisocyanatohexane, epichlorohydrin and 2-hydroxypropyl acrylate", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C18-unsatd., dimers, reaction products with acrylic acid, bisphenol A, 1,6-diisocyanatohexane, epichlorohydrin and 2-hydroxypropyl acrylate", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, C16-18 and C18-unsatd., branched and linear, polymers with bisphenol A, C18-unsatd. fatty acid dimers, epichlorohydrin and triethylenetetramine", "dtxsid": "DTXSID901079384", "dtxcid": null, "casrn": "157707-71-6", "preferredName": "Fatty acids, C16-18 and C18-unsatd., branched and linear, polymers with bisphenol A, C18-unsatd. fatty acid dimers, epichlorohydrin and triethylenetetramine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, C16-18 and C18-unsatd., branched and linear, polymers with bisphenol A, C18-unsatd. fatty acid dimers, epichlorohydrin and triethylenetetramine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, formaldehyde and pentaethylenehexamine", "dtxsid": "DTXSID901079689", "dtxcid": null, "casrn": "93572-41-9", "preferredName": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, formaldehyde and pentaethylenehexamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, formaldehyde and pentaethylenehexamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, 2-hydroxyethyl methacrylate and pentaethylenehexamine", "dtxsid": "DTXSID901080002", "dtxcid": null, "casrn": "122445-63-0", "preferredName": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, 2-hydroxyethyl methacrylate and pentaethylenehexamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, reaction products with 1-[[2-[(2-aminoethyl)amino]ethyl]amino]-3-phenoxy-2-propanol, bisphenol A diglycidyl ether, 2-hydroxyethyl methacrylate and pentaethylenehexamine", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with acrylic acid, bisphenol A, conjugated tall-oil fatty acids, epichlorohydrin, Me methacrylate, 4,4′-(1-methylethylidene)bis[cyclohexanol] and styrene", "dtxsid": "DTXSID901080171", "dtxcid": null, "casrn": "115079-32-8", "preferredName": "Fatty acids, linseed-oil, polymers with acrylic acid, bisphenol A, conjugated tall-oil fatty acids, epichlorohydrin, Me methacrylate, 4,4′-(1-methylethylidene)bis[cyclohexanol] and styrene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with acrylic acid, bisphenol A, conjugated tall-oil fatty acids, epichlorohydrin, Me methacrylate, 4,4′-(1-methylethylidene)bis[cyclohexanol] and styrene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Benzoic acid, 2-hydroxy-, reaction products with bisphenol A-p-tert-butylphenol-epichlorohydrin-phenyloxirane polymer and 4,4′-methylenebis[benzenamine]", "dtxsid": "DTXSID901083294", "dtxcid": null, "casrn": "68608-92-4", "preferredName": "Benzoic acid, 2-hydroxy-, reaction products with bisphenol A-p-tert-butylphenol-epichlorohydrin-phenyloxirane polymer and 4,4′-methylenebis[benzenamine]", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Benzoic acid, 2-hydroxy-, reaction products with bisphenol A-p-tert-butylphenol-epichlorohydrin-phenyloxirane polymer and 4,4′-methylenebis[benzenamine]", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A diglycidyl ether-dicyandiamide copolymer", "dtxsid": "DTXSID901094136", "dtxcid": null, "casrn": "39152-24-4", "preferredName": "Bisphenol A diglycidyl ether-dicyandiamide copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A diglycidyl ether-dicyandiamide copolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A-4,4′-dihydroxydiphenyl sulfone copolymer", "dtxsid": "DTXSID901094150", "dtxcid": null, "casrn": "31497-85-5", "preferredName": "Bisphenol A-4,4′-dihydroxydiphenyl sulfone copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A-4,4′-dihydroxydiphenyl sulfone copolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A polycarbonate, SRU", "dtxsid": "DTXSID901096382", "dtxcid": null, "casrn": "24936-68-3", "preferredName": "Bisphenol A polycarbonate, SRU", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A polycarbonate, SRU", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "BDE-47 + Bisphenol A (1:1 molarity)", "dtxsid": "DTXSID901354865", "dtxcid": null, "casrn": "NOCAS_1354865", "preferredName": "BDE-47 + Bisphenol A (1:1 molarity)", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "BDE-47 + Bisphenol A (1:1 molarity)", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Bisphenol A-epichlorohydrin-polyformaldehyde copolymer", "dtxsid": "DTXSID9050480", "dtxcid": null, "casrn": "28906-96-9", "preferredName": "Bisphenol A-epichlorohydrin-polyformaldehyde copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Bisphenol A-epichlorohydrin-polyformaldehyde copolymer", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "1,3-Propanediamine, N1-(2-ethylhexyl)-, reaction products with bisphenol A diglycidyl ether", "dtxsid": "DTXSID90913953", "dtxcid": null, "casrn": "97375-45-6", "preferredName": "1,3-Propanediamine, N1-(2-ethylhexyl)-, reaction products with bisphenol A diglycidyl ether", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "1,3-Propanediamine, N1-(2-ethylhexyl)-, reaction products with bisphenol A diglycidyl ether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with benzoic acid, bisphenol A and epichlorohydrin", "dtxsid": "DTXSID9096654", "dtxcid": null, "casrn": "68082-39-3", "preferredName": "Fatty acids, tall-oil, polymers with benzoic acid, bisphenol A and epichlorohydrin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with benzoic acid, bisphenol A and epichlorohydrin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A and bisphenol A diglycidyl ether", "dtxsid": "DTXSID9096658", "dtxcid": null, "casrn": "68082-46-2", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A and bisphenol A diglycidyl ether", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A and bisphenol A diglycidyl ether", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, fumarated, polymer with bisphenol A, formaldehyde and pentaerythritol", "dtxsid": "DTXSID9097129", "dtxcid": null, "casrn": "68152-47-6", "preferredName": "Rosin, fumarated, polymer with bisphenol A, formaldehyde and pentaerythritol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, fumarated, polymer with bisphenol A, formaldehyde and pentaerythritol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Castor oil, dehydrated, polymer with bisphenol A, p-tert-butylphenol, formaldehyde and tung oil", "dtxsid": "DTXSID9097256", "dtxcid": null, "casrn": "68154-11-0", "preferredName": "Castor oil, dehydrated, polymer with bisphenol A, p-tert-butylphenol, formaldehyde and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Castor oil, dehydrated, polymer with bisphenol A, p-tert-butylphenol, formaldehyde and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, bisphenol A diglycidyl ether and rosin", "dtxsid": "DTXSID9097547", "dtxcid": null, "casrn": "68213-42-3", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, bisphenol A diglycidyl ether and rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, bisphenol A diglycidyl ether and rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and linoleic acid", "dtxsid": "DTXSID9097707", "dtxcid": null, "casrn": "68309-19-3", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and linoleic acid", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, epichlorohydrin and linoleic acid", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, Bu acrylate, methacrylic acid and styrene", "dtxsid": "DTXSID9097836", "dtxcid": null, "casrn": "68333-71-1", "preferredName": "Fatty acids, linseed-oil, polymers with bisphenol A, Bu acrylate, methacrylic acid and styrene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, linseed-oil, polymers with bisphenol A, Bu acrylate, methacrylic acid and styrene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin, maleic anhydride and vegetable-oil fatty acids", "dtxsid": "DTXSID9098066", "dtxcid": null, "casrn": "68410-24-2", "preferredName": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin, maleic anhydride and vegetable-oil fatty acids", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, dehydrated castor-oil, polymers with bisphenol A, epichlorohydrin, maleic anhydride and vegetable-oil fatty acids", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, rosin and tung oil", "dtxsid": "DTXSID9098690", "dtxcid": null, "casrn": "68458-93-5", "preferredName": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, rosin and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, p-tert-butylphenol, formaldehyde, rosin and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, formaldehyde, glycerol and rosin", "dtxsid": "DTXSID9098692", "dtxcid": null, "casrn": "68458-95-7", "preferredName": "Linseed oil, polymer with bisphenol A, formaldehyde, glycerol and rosin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, formaldehyde, glycerol and rosin", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, formaldehyde, glycerol, maleic anhydride, pentaerythritol, rosin and tung oil", "dtxsid": "DTXSID9098694", "dtxcid": null, "casrn": "68458-97-9", "preferredName": "Linseed oil, polymer with bisphenol A, formaldehyde, glycerol, maleic anhydride, pentaerythritol, rosin and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, formaldehyde, glycerol, maleic anhydride, pentaerythritol, rosin and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Linseed oil, polymer with bisphenol A, butadiene, cyclopentadiene, formaldehyde, maleic anhydride, methylcyclopentadiene, pentadiene and phenol", "dtxsid": "DTXSID9098696", "dtxcid": null, "casrn": "68458-99-1", "preferredName": "Linseed oil, polymer with bisphenol A, butadiene, cyclopentadiene, formaldehyde, maleic anhydride, methylcyclopentadiene, pentadiene and phenol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Linseed oil, polymer with bisphenol A, butadiene, cyclopentadiene, formaldehyde, maleic anhydride, methylcyclopentadiene, pentadiene and phenol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Tall oil, polymer with bisphenol A, epichlorohydrin and tung oil", "dtxsid": "DTXSID9098775", "dtxcid": null, "casrn": "68474-55-5", "preferredName": "Tall oil, polymer with bisphenol A, epichlorohydrin and tung oil", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Tall oil, polymer with bisphenol A, epichlorohydrin and tung oil", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Rosin, polymer with bisphenol A, p-tert-butylphenol, formaldehyde and phenol", "dtxsid": "DTXSID9099248", "dtxcid": null, "casrn": "68514-99-8", "preferredName": "Rosin, polymer with bisphenol A, p-tert-butylphenol, formaldehyde and phenol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Rosin, polymer with bisphenol A, p-tert-butylphenol, formaldehyde and phenol", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, dicyclopentadiene, epichlorohydrin, indene, methylstyrene, styrene, tung oil and vinyltoluene", "dtxsid": "DTXSID9099585", "dtxcid": null, "casrn": "68552-65-8", "preferredName": "Fatty acids, tall-oil, polymers with bisphenol A, dicyclopentadiene, epichlorohydrin, indene, methylstyrene, styrene, tung oil and vinyltoluene", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Fatty acids, tall-oil, polymers with bisphenol A, dicyclopentadiene, epichlorohydrin, indene, methylstyrene, styrene, tung oil and vinyltoluene", + "rank": 9 }, { - "rank": 9, - "searchName": "Approved Name", - "searchValue": "Siloxanes and Silicones, di-Me, chloro-terminated, polymers with bisphenol A and sebacoyl chloride", "dtxsid": "DTXSID9099743", "dtxcid": null, "casrn": "68554-50-7", "preferredName": "Siloxanes and Silicones, di-Me, chloro-terminated, polymers with bisphenol A and sebacoyl chloride", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Approved Name", + "searchValue": "Siloxanes and Silicones, di-Me, chloro-terminated, polymers with bisphenol A and sebacoyl chloride", + "rank": 9 }, { - "rank": 10, - "searchName": "Expert Validated Synonym", - "searchValue": "2,3',5,5'-Tetrabromobisphenol A", "dtxsid": "DTXSID001021176", "dtxcid": "DTXCID301506216", "casrn": "NOCAS_1021176", "preferredName": "2,5-dibromo-4-[2-(3,5-dibromo-4-hydroxyphenyl)propan-2-yl]phenol", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC(Br)=C(O)C(Br)=C1)C1=CC(Br)=C(O)C=C1Br", - "isMarkush": false + "isMarkush": false, + "searchName": "Expert Validated Synonym", + "searchValue": "2,3',5,5'-Tetrabromobisphenol A", + "rank": 10 }, { - "rank": 10, - "searchName": "Expert Validated Synonym", - "searchValue": "Bisphenol A disodium salt", "dtxsid": "DTXSID0027480", "dtxcid": "DTXCID907480", "casrn": "2444-90-8", "preferredName": "Disodium 4,4'-isopropylidenediphenolate", "hasStructureImage": 1, "smiles": "[Na+].[Na+].CC(C)(C1=CC=C([O-])C=C1)C1=CC=C([O-])C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Expert Validated Synonym", + "searchValue": "Bisphenol A disodium salt", + "rank": 10 }, { - "rank": 10, - "searchName": "Expert Validated Synonym", - "searchValue": "Epoxide resins, bisphenol A-epichlorohydrin", "dtxsid": "DTXSID0052887", "dtxcid": null, "casrn": "61788-97-4", "preferredName": "Epoxy resins", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Expert Validated Synonym", + "searchValue": "Epoxy resins, bisphenol A-based", + "rank": 10 }, { - "rank": 10, - "searchName": "Expert Validated Synonym", - "searchValue": "Phosgene-tetrabromobisphenol A polymer bis(2,4,6-tribromophenyl) ester", "dtxsid": "DTXSID00872800", "dtxcid": null, "casrn": "71342-77-3", "preferredName": "Phenol, 4,4'-(1-methylethylidene)bis[2,6-dibromo-, polymer with carbonic dichloride, bis(2,4,6-tribromophenyl) ester", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Expert Validated Synonym", + "searchValue": "Phosgene-tetrabromobisphenol A polymer bis(2,4,6-tribromophenyl) ester", + "rank": 10 }, { - "rank": 10, - "searchName": "Expert Validated Synonym", - "searchValue": "Bisphenol A diglycidyl ether, diethanolamine polymer", "dtxsid": "DTXSID101022296", "dtxcid": null, "casrn": "28680-87-7", "preferredName": "Ethanol, 2,2'-iminobis-, polymer with 2,2'-[(1-methylethylidene)bis(4,1-phenyleneoxymethylene)]bis[oxirane]", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Expert Validated Synonym", + "searchValue": "Bisphenol A diglycidyl ether, diethanolamine polymer", + "rank": 10 }, { - "rank": 10, - "searchName": "Expert Validated Synonym", - "searchValue": "Bisphenol A, epichlorohydrin, 9,12-octadecadienoic acid, (Z,Z)-, dimer polymer", "dtxsid": "DTXSID101022391", "dtxcid": null, "casrn": "67939-58-6", "preferredName": "9,12-Octadecadienoic acid (9Z,12Z)-, dimer, polymer with 2-(chloromethyl)oxirane and 4,4'-(1-methylethylidene)bis[phenol]", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Expert Validated Synonym", + "searchValue": "Bisphenol A, epichlorohydrin, 9,12-octadecadienoic acid, (Z,Z)-, dimer polymer", + "rank": 10 }, { - "rank": 10, - "searchName": "Expert Validated Synonym", - "searchValue": "Bisphenol A bis(2-hydroxyethyl ether) dimethacrylate", "dtxsid": "DTXSID1066992", "dtxcid": "DTXCID4037081", "casrn": "24448-20-2", "preferredName": "(1-Methylethylidene)bis(4,1-phenyleneoxy-2,1-ethanediyl) bismethacrylate", "hasStructureImage": 1, "smiles": "CC(=C)C(=O)OCCOC1=CC=C(C=C1)C(C)(C)C1=CC=C(OCCOC(=O)C(C)=C)C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Expert Validated Synonym", + "searchValue": "Bisphenol A bis(2-hydroxyethyl ether) dimethacrylate", + "rank": 10 }, { - "rank": 10, - "searchName": "Expert Validated Synonym", - "searchValue": "Bisphenol A bis(2,3-dihydroxypropyl) ether", "dtxsid": "DTXSID10971212", "dtxcid": "DTXCID901398728", "casrn": "5581-32-8", "preferredName": "3,3'-{Propane-2,2-diylbis[(4,1-phenylene)oxy]}di(propane-1,2-diol)", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(OCC(O)CO)C=C1)C1=CC=C(OCC(O)CO)C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Expert Validated Synonym", + "searchValue": "Bisphenol A bis(2,3-dihydroxypropyl) ether", + "rank": 10 }, { - "rank": 10, - "searchName": "Expert Validated Synonym", - "searchValue": "POLY(BISPHENOL A-CO-EPICHLOROHYDRIN)", "dtxsid": "DTXSID201015347", "dtxcid": null, "casrn": "26402-79-9", "preferredName": "Phenoxy Resin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Expert Validated Synonym", + "searchValue": "POLY(BISPHENOL A-CO-EPICHLOROHYDRIN)", + "rank": 10 }, { - "rank": 10, - "searchName": "Expert Validated Synonym", - "searchValue": "Bisphenol A-epichlorohydrin-m-xylylenediamine copolymer", "dtxsid": "DTXSID301035697", "dtxcid": null, "casrn": "113930-69-1", "preferredName": "Phenol, 4,4′-(1-methylethylidene)bis-, polymer with 1,3-benzenedimethanamine and (chloromethyl)oxirane", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Expert Validated Synonym", + "searchValue": "Bisphenol A-epichlorohydrin-m-xylylenediamine copolymer", + "rank": 10 }, { - "rank": 10, - "searchName": "Expert Validated Synonym", - "searchValue": "4,4'-Bisphenol A diphthalic anhydride", "dtxsid": "DTXSID3028001", "dtxcid": "DTXCID208001", "casrn": "38103-06-9", "preferredName": "4,4'-(4,4'-Isopropylidenediphenoxy)bisphthalic dianhydride", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(OC2=CC3=C(C=C2)C(=O)OC3=O)C=C1)C1=CC=C(OC2=CC3=C(C=C2)C(=O)OC3=O)C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Expert Validated Synonym", + "searchValue": "Bisphenol A dianhydride", + "rank": 10 }, { - "rank": 10, - "searchName": "Expert Validated Synonym", - "searchValue": "Bisphenol A diglycidyl ether acrylate", "dtxsid": "DTXSID40863439", "dtxcid": "DTXCID60812060", "casrn": "4687-94-9", "preferredName": "2,2-Bis[4-(3-acryloyloxy-2-hydroxypropoxy)phenyl]propane", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(OCC(O)COC(=O)C=C)C=C1)C1=CC=C(OCC(O)COC(=O)C=C)C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Expert Validated Synonym", + "searchValue": "Bisphenol A diether with glycidyl acrylate", + "rank": 10 }, { - "rank": 10, - "searchName": "Expert Validated Synonym", - "searchValue": "Bisphenol A-diethylenetriamine-formaldehyde copolymer", "dtxsid": "DTXSID501036439", "dtxcid": null, "casrn": "77138-45-5", "preferredName": "Formaldehyde, polymer with N1-(2-aminoethyl)-1,2-ethanediamine and 4,4′-(1-methylethylidene)bis[phenol]", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Expert Validated Synonym", + "searchValue": "Bisphenol A-diethylenetriamine-formaldehyde copolymer", + "rank": 10 }, { - "rank": 10, - "searchName": "Expert Validated Synonym", - "searchValue": "Bisphenol AF-decafluorobiphenyl copolymer", "dtxsid": "DTXSID501084888", "dtxcid": null, "casrn": "136875-49-5", "preferredName": "4,4′-Hexafluoroisopropylidenediphenol-decafluorobiphenyl copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Expert Validated Synonym", + "searchValue": "Bisphenol AF-decafluorobiphenyl copolymer", + "rank": 10 }, { - "rank": 10, - "searchName": "Expert Validated Synonym", - "searchValue": "Tetrakis(dimethylaminomethyl)bisphenol A", "dtxsid": "DTXSID5073408", "dtxcid": "DTXCID8035215", "casrn": "16224-36-5", "preferredName": "4,4′-(1-Methylethylidene)bis[2,6-bis[(dimethylamino)methyl]phenol", "hasStructureImage": 1, "smiles": "CN(C)CC1=CC(=CC(CN(C)C)=C1O)C(C)(C)C1=CC(CN(C)C)=C(O)C(CN(C)C)=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Expert Validated Synonym", + "searchValue": "Tetrakis(dimethylaminomethyl)bisphenol A", + "rank": 10 }, { - "rank": 10, - "searchName": "Expert Validated Synonym", - "searchValue": "Polymer of tetrabromobisphenol A, phosgene, phenol", "dtxsid": "DTXSID601015670", "dtxcid": null, "casrn": "94334-64-2", "preferredName": "Carbonic dichloride, polymer with 4,​4'-​(1-​methylethylidene)​bis[2,​6-​dibromophenol] and phenol", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Expert Validated Synonym", + "searchValue": "Polymer of tetrabromobisphenol A, phosgene, phenol", + "rank": 10 }, { - "rank": 10, - "searchName": "Expert Validated Synonym", - "searchValue": "Bisphenol A-fumaric acid polymer", "dtxsid": "DTXSID601022291", "dtxcid": null, "casrn": "26810-78-6", "preferredName": "2-Butenedioic acid (2E)-, polymer with 4,4'-(1-methylethylidene)bis[phenol]", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Expert Validated Synonym", + "searchValue": "Bisphenol A-fumaric acid polymer", + "rank": 10 }, { - "rank": 10, - "searchName": "Expert Validated Synonym", - "searchValue": "Bisphenol A diphenyl phosphate", "dtxsid": "DTXSID601025483", "dtxcid": "DTXCID101509721", "casrn": "NOCAS_1025483", "preferredName": "[4-[2-(4-Hydroxyphenyl)propan-2-yl]phenyl] diphenyl phosphate", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(O)C=C1)C1=CC=C(OP(=O)(OC2=CC=CC=C2)OC2=CC=CC=C2)C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Expert Validated Synonym", + "searchValue": "Bisphenol A diphenyl phosphate", + "rank": 10 }, { - "rank": 10, - "searchName": "Expert Validated Synonym", - "searchValue": "Bisphenol AF potassium salt", "dtxsid": "DTXSID601044625", "dtxcid": null, "casrn": "91625-24-0", "preferredName": "4,4'-[2,2,2-Trifluoro-1-(trifluoromethyl)ethylidene]bis(phenol) potassium salt (1:x)", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Expert Validated Synonym", + "searchValue": "Bisphenol AF potassium salt", + "rank": 10 }, { - "rank": 10, - "searchName": "Expert Validated Synonym", - "searchValue": "Phosgene-tetrabromobisphenol A polymer", "dtxsid": "DTXSID60872801", "dtxcid": null, "casrn": "28906-13-0", "preferredName": "2,2-Bis(3,5-dibromo-4-hydroxyphenyl)propane-phosgene copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Expert Validated Synonym", + "searchValue": "Phosgene-tetrabromobisphenol A polymer", + "rank": 10 }, { - "rank": 10, - "searchName": "Expert Validated Synonym", - "searchValue": "Bisphenol A disodium salt-m-phenylenebis(4-chlorophthalimide) copolymer, sru", "dtxsid": "DTXSID801097901", "dtxcid": "DTXCID301748838", "casrn": "61128-24-3", "preferredName": "Ultem", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(O-*)C=C1)C1=CC=C(OC2=CC3=C(C=C2)C(=O)N(C3=O)C2=CC(=CC=C2)N2C(=O)C3=C(C=C(-*)C=C3)C2=O)C=C1 |$;;;;;;;;star_e;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;star_e;;;;;;$,c:9,19,21,32,34,45,51,t:3,5,12,14,17,30,40,42,lp:7:2,15:2,23:2,24:1,26:2,33:1,35:2,44:2,Sg:n:40,41,42,39,38,35,44,34,36,43,37,33,23,26,22,24,25,8,7,10,3,4,5,6,9,19,20,18,21,17,16,15,46,11,12,13,14,45,2,1,0,30,29,31,28,32,27::ht|", - "isMarkush": true + "isMarkush": true, + "searchName": "Expert Validated Synonym", + "searchValue": "Bisphenol A disodium salt-m-phenylenebis(4-chlorophthalimide) copolymer, sru", + "rank": 10 }, { - "rank": 10, - "searchName": "Expert Validated Synonym", - "searchValue": "Tetramethylbisphenol A", "dtxsid": "DTXSID8047973", "dtxcid": "DTXCID4027949", "casrn": "5613-46-7", "preferredName": "4,4'-Propane-2,2-diylbis(2,6-dimethylphenol)", "hasStructureImage": 1, "smiles": "CC1=CC(=CC(C)=C1O)C(C)(C)C1=CC(C)=C(O)C(C)=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Expert Validated Synonym", + "searchValue": "Tetramethylbisphenol A", + "rank": 10 }, { - "rank": 10, - "searchName": "Expert Validated Synonym", - "searchValue": "Tetrabromobisphenol A diglycidyl ether-FG 2000 copolymer", "dtxsid": "DTXSID90872793", "dtxcid": null, "casrn": "68928-70-1", "preferredName": "2,2'-[(1-Methylethylidene)bis[(dibromo-4,1-phenylene)oxymethylene]]bis[oxirane]-4,4'-(1-methylethylidene)bis[2,6-dibromophenol] copolymer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Expert Validated Synonym", + "searchValue": "Tetrabromobisphenol A-tetrabromobisphenol A diglycidyl ether copolymer", + "rank": 10 }, { - "rank": 11, - "searchName": "Synonym from Valid Source", - "searchValue": "Diglycidyl bisphenol A homopolymer", "dtxsid": "DTXSID3049590", "dtxcid": null, "casrn": "25085-99-8", "preferredName": "Epoxy resin", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Synonym from Valid Source", + "searchValue": "POLYMER, EPICHLOROHYDRIN AND BISPHENOL-A", + "rank": 11 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "Bisphenol A, (chloromethyl)oxirane, methyl linoleate polymer", "dtxsid": "DTXSID00100574", "dtxcid": null, "casrn": "68647-08-5", "preferredName": "Phenol, 4,4'-(1-methylethylidene)bis-, polymer with 2-(chloromethyl)oxirane, (9Z,12Z)-9,12-octadecadienoate", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Synonym", + "searchValue": "Bisphenol A, (chloromethyl)oxirane, methyl linoleate polymer", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "Dodecahydrobisphenol A", "dtxsid": "DTXSID0044993", "dtxcid": "DTXCID8024993", "casrn": "80-04-6", "preferredName": "4,4'-Propane-2,2-diyldicyclohexanol", "hasStructureImage": 1, "smiles": "CC(C)(C1CCC(O)CC1)C1CCC(O)CC1", - "isMarkush": false + "isMarkush": false, + "searchName": "Synonym", + "searchValue": "Dodecahydrobisphenol A", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "2,2',6,6'-Tetrabromobisphenol A diglycidyl ether", "dtxsid": "DTXSID0052700", "dtxcid": "DTXCID50820376", "casrn": "3072-84-2", "preferredName": "2,2'-[(1-Methylethylidene)bis[(2,6-dibromo-4,1-phenylene)oxymethylene]]bis[oxirane]", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC(Br)=C(OCC2CO2)C(Br)=C1)C1=CC(Br)=C(OCC2CO2)C(Br)=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Synonym", + "searchValue": "2,2',6,6'-Tetrabromobisphenol A diglycidyl ether", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "Bisphenol A, (chloromethyl)oxirane polymer, dimer fatty acid half ester", "dtxsid": "DTXSID1096848", "dtxcid": null, "casrn": "68130-80-3", "preferredName": "Phenol, 4,4'-(1-methylethylidene)bis-, polymer with 2-(chloromethyl)oxirane, monoesters with C18-unsatd. fatty acid dimers", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Synonym", + "searchValue": "Bisphenol A, (chloromethyl)oxirane polymer, dimer fatty acid half ester", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "Bisphenol A, epichlorohydrin, nonylphenol, p-hydroxybenzoic acid, methyl ester polymer", "dtxsid": "DTXSID20102277", "dtxcid": null, "casrn": "68954-73-4", "preferredName": "Phenol, 4,4'-(1-methylethylidene)bis-, polymer with 2-(chloromethyl)oxirane, Me 4-hydroxybenzoate, nonylphenol-modified", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Synonym", + "searchValue": "Bisphenol A, epichlorohydrin, nonylphenol, p-hydroxybenzoic acid, methyl ester polymer", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "Epichlorohydrin, bisphenol A polymer, pyrrolidine adduct", "dtxsid": "DTXSID20104438", "dtxcid": null, "casrn": "72480-19-4", "preferredName": "Phenol, 4,4'-(1-methylethylidene)bis-, polymer with 2-(chloromethyl)oxirane, reaction products with pyrrolidine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Synonym", + "searchValue": "Epichlorohydrin, bisphenol A polymer, pyrrolidine adduct", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "Bisphenol A isophoronediamine C,C,C-trimethyl-1,6-hexanediamine epichlorohydrin polymer", "dtxsid": "DTXSID20107823", "dtxcid": null, "casrn": "115793-94-7", "preferredName": "Phenol, 4,4'-(1-methylethylidene)bis-, polymer with 5-amino-1,3,3-trimethylcyclohexanemethanamine, (chloromethyl)oxirane and C,C,C-trimethyl-1,6-hexanediamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Synonym", + "searchValue": "Bisphenol A isophoronediamine C,C,C-trimethyl-1,6-hexanediamine epichlorohydrin polymer", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "5-Hydroxybisphenol A", "dtxsid": "DTXSID20349640", "dtxcid": "DTXCID60300710", "casrn": "79371-66-7", "preferredName": "5-Hydroxybisphenol", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(O)C=C1)C1=CC(O)=C(O)C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Synonym", + "searchValue": "5-Hydroxybisphenol A", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "Bisphenol A, epichlorohydrin, triethylenetetramine polymer, nonylphenol-modified", "dtxsid": "DTXSID30102066", "dtxcid": null, "casrn": "68951-48-4", "preferredName": "Phenol, 4,4'-(1-methylethylidene)bis-, polymer with N1,N2-bis(2-aminoethyl)-1,2-ethanediamine and 2-(chloromethyl)oxirane, nonylphenol-modified", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Synonym", + "searchValue": "Bisphenol A, epichlorohydrin, triethylenetetramine polymer, nonylphenol-modified", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "3,3',5-tribromobisphenol A", "dtxsid": "DTXSID3064302", "dtxcid": "DTXCID1044148", "casrn": "6386-73-8", "preferredName": "Phenol, 2,6-dibromo-4-[1-(3-bromo-4-hydroxyphenyl)-1-methylethyl]-", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(O)C(Br)=C1)C1=CC(Br)=C(O)C(Br)=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Synonym", + "searchValue": "3,3',5-tribromobisphenol A", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "Poly(bisphenol A-co-tert-butylhydroquinone-co-p-tert-butylphenol-co-p-cresol-co-divinylbenzene-co-4-methoxyphenol)", "dtxsid": "DTXSID4044248", "dtxcid": null, "casrn": "60837-57-2", "preferredName": "Anoxomer", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Synonym", + "searchValue": "Poly(bisphenol A-co-tert-butylhydroquinone-co-p-tert-butylphenol-co-p-cresol-co-divinylbenzene-co-4-methoxyphenol)", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "(Chloromethyl)oxirane, bisphenol A, monoethylamine polymer", "dtxsid": "DTXSID4098510", "dtxcid": null, "casrn": "68442-20-6", "preferredName": "Phenol, 4,4'-(1-methylethylidene)bis-, polymer with 2-(chloromethyl)oxirane, reaction products with ethylamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Synonym", + "searchValue": "(Chloromethyl)oxirane, bisphenol A, monoethylamine polymer", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "Bisphenol AP", "dtxsid": "DTXSID5051444", "dtxcid": "DTXCID4030041", "casrn": "1571-75-1", "preferredName": "4,4'-(1-Phenylethylidene)bisphenol", "hasStructureImage": 1, "smiles": "CC(C1=CC=CC=C1)(C1=CC=C(O)C=C1)C1=CC=C(O)C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Synonym", + "searchValue": "Bisphenol ACP", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "Polymer of 2,2'6,6'-tetrabromobisphenol A, phosgene, phenol", "dtxsid": "DTXSID50872810", "dtxcid": null, "casrn": "73990-30-4", "preferredName": "Carbonic dichloride polymer with 4,4'-(1-methylethylidene)bis[2,6-dibromophenol] phenyl ester", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Synonym", + "searchValue": "Polymer of 2,2'6,6'-tetrabromobisphenol A, phosgene, phenol", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "Bisphenol A, epichlorohydrin resin hydrogen sulfide reaction product", "dtxsid": "DTXSID5098509", "dtxcid": null, "casrn": "68442-19-3", "preferredName": "Phenol, 4,4'-(1-methylethylidene)bis-, polymer with 2-(chloromethyl)oxirane, reaction products with hydrogen sulfide", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Synonym", + "searchValue": "Bisphenol A, epichlorohydrin resin hydrogen sulfide reaction product", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "Epichlorohydrin, bisphenol A polymer, ethylenediamine adduct", "dtxsid": "DTXSID60104437", "dtxcid": null, "casrn": "72480-18-3", "preferredName": "Phenol, 4,4'-(1-methylethylidene)bis-, polymer with 2-(chloromethyl)oxirane, reaction products with ethylenediamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Synonym", + "searchValue": "Epichlorohydrin, bisphenol A polymer, ethylenediamine adduct", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "Bisphenol A ethoxylate", "dtxsid": "DTXSID6029204", "dtxcid": "DTXCID909204", "casrn": "901-44-0", "preferredName": "Ethanol, 2,2'-[(1-methylethylidene)bis(4,1-phenyleneoxy)]bis-", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(OCCO)C=C1)C1=CC=C(OCCO)C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Synonym", + "searchValue": "Bisphenol A bis(2-hydroxyethyl)ether", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "Bisphenol A-epichlorohydrin polymer, diethanolamine adduct", "dtxsid": "DTXSID6099011", "dtxcid": null, "casrn": "68511-34-2", "preferredName": "Phenol, 4,4'-(1-methylethylidene)bis-, polymer with 2-(chloromethyl)oxirane, reaction products with diethanolamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Synonym", + "searchValue": "Bisphenol A-epichlorohydrin polymer, diethanolamine adduct", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "Tetrabromobisphenol A", "dtxsid": "DTXSID701014956", "dtxcid": null, "casrn": "121839-52-9", "preferredName": "4,4'-(1-Methylethylidene)bisphenol tetrabromo deriv.", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Synonym", + "searchValue": "Tetrabromobisphenol A", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "3-Chlorobisphenol A", "dtxsid": "DTXSID701355443", "dtxcid": "DTXCID301784509", "casrn": "74192-35-1", "preferredName": "2-Chloro-4-[2-(4-hydroxyphenyl)propan-2-yl]phenol", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(O)C=C1)C1=CC(Cl)=C(O)C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Synonym", + "searchValue": "2-Chloro bisphenol A", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "Triethylenetetramine, oxirane, methyl-, 1,3-propanediamine, N,N-dimethyl-, epichlorohydrin, bisphenol A polymer", "dtxsid": "DTXSID7049712", "dtxcid": null, "casrn": "68610-53-7", "preferredName": "Phenol, 4,4′-(1-methylethylidene)bis-, polymer with N,N′-bis(2-aminoethyl)-1,2-ethanediamine, (chloromethyl)oxirane and methyloxirane, reaction products with N,N-dimethyl-1,3-propanediamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Synonym", + "searchValue": "Triethylenetetramine, oxirane, methyl-, 1,3-propanediamine, N,N-dimethyl-, epichlorohydrin, bisphenol A polymer", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "Bisphenol A, phenol, melamine polymer", "dtxsid": "DTXSID7098323", "dtxcid": null, "casrn": "68426-20-0", "preferredName": "Phenol, 4,4'-(1-methylethylidene)bis-, polymer with phenol and 1,3,5-triazine-2,4,6-triamine", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Synonym", + "searchValue": "Bisphenol A, phenol, melamine polymer", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "Toluene diisocyanate, polypropylene glycol, bisphenol A, N-coco-morpholine polymer", "dtxsid": "DTXSID80101286", "dtxcid": null, "casrn": "68908-57-6", "preferredName": "Phenol, 4,4'-(1-methylethylidene)bis-, polymer with epichlorohydrin, morpholine N-coco alkyl derivs., polypropylene glycol and TDI", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Synonym", + "searchValue": "Toluene diisocyanate, polypropylene glycol, bisphenol A, N-coco-morpholine polymer", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "Bisphenol A tetraphenyl diphosphate", "dtxsid": "DTXSID8052720", "dtxcid": "DTXCID6031332", "casrn": "5945-33-5", "preferredName": "2,2-Bis[4-[bis(phenoxy)phosphoryloxy]phenyl]propane", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(OP(=O)(OC2=CC=CC=C2)OC2=CC=CC=C2)C=C1)C1=CC=C(OP(=O)(OC2=CC=CC=C2)OC2=CC=CC=C2)C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Synonym", + "searchValue": "Bisphenol A bis(diphenyl phosphate)", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "BisPhenol A bis(chloroformate)", "dtxsid": "DTXSID8062105", "dtxcid": "DTXCID9036228", "casrn": "2024-88-6", "preferredName": "Carbonochloridic acid, (1-methylethylidene)di-4,1-phenylene ester", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(OC(Cl)=O)C=C1)C1=CC=C(OC(Cl)=O)C=C1", - "isMarkush": false + "isMarkush": false, + "searchName": "Synonym", + "searchValue": "BisPhenol A bis(chloroformate)", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "Bisphenol A, epichlorohydrin, triethylenetetramine polymer, phenol-modified", "dtxsid": "DTXSID90102067", "dtxcid": null, "casrn": "68951-49-5", "preferredName": "Phenol, 4,4'-(1-methylethylidene)bis-, polymer with N1,N2-bis(2-aminoethyl)-1,2-ethanediamine and 2-(chloromethyl)oxirane, phenol-modified", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Synonym", + "searchValue": "Bisphenol A, epichlorohydrin, triethylenetetramine polymer, phenol-modified", + "rank": 15 }, { - "rank": 15, - "searchName": "Synonym", - "searchValue": "Phenol, 4,4'-(1-methylethyli ene)bis-, polymer with (chloromethyl)oxirane: bisphenol A, maleic anhydride, methacrylic acid reaction product", "dtxsid": "DTXSID90103392", "dtxcid": null, "casrn": "70644-72-3", "preferredName": "Phenol, 4,4'-(1-methylethylidene)bis-, polymer with 2-(chloromethyl)oxirane, (2Z)-2-butenedioate 2-methyl-2-propenoate", "hasStructureImage": 0, "smiles": null, - "isMarkush": true + "isMarkush": true, + "searchName": "Synonym", + "searchValue": "Phenol, 4,4'-(1-methylethyli ene)bis-, polymer with (chloromethyl)oxirane: bisphenol A, maleic anhydride, methacrylic acid reaction product", + "rank": 15 } ] diff --git a/tests/testthat/chemical/chemical/search/contain/gvfdsr7.R b/tests/testthat/chemical/chemical/search/contain/gvfdsr7.R index 1914560..92a48bd 100644 --- a/tests/testthat/chemical/chemical/search/contain/gvfdsr7.R +++ b/tests/testthat/chemical/chemical/search/contain/gvfdsr7.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/search/contain/gvfdsr7", status_code = 400L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:13:58 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:07 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "6789a93d-4af8-4092-48e0-c2695f02d2fa", + `x-vcap-request-id` = "ab603968-812b-4fd8-6355-419553700207", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "bGtUk7qrOR6Ja4UZefgCIqXJYcA3VPTi6CTopSraEKnHr23bbUjnTw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "WPoBv1HPOt6yRNWE6kbtV7ktagphSLuTcSjvY7UwLtE5rscT6wOAww=="), class = c("insensitive", "list")), all_headers = list(list(status = 400L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:13:58 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:07 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "6789a93d-4af8-4092-48e0-c2695f02d2fa", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "ab603968-812b-4fd8-6355-419553700207", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "bGtUk7qrOR6Ja4UZefgCIqXJYcA3VPTi6CTopSraEKnHr23bbUjnTw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "WPoBv1HPOt6yRNWE6kbtV7ktagphSLuTcSjvY7UwLtE5rscT6wOAww=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -42,7 +42,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/search/contain/gvfdsr7", 0x72, 0x37, 0x22, 0x2c, 0x0a, 0x20, 0x20, 0x22, 0x73, 0x75, 0x67, 0x67, 0x65, 0x73, 0x74, 0x69, 0x6f, 0x6e, 0x73, 0x22, 0x20, 0x3a, 0x20, 0x5b, 0x20, 0x6e, 0x75, 0x6c, 0x6c, 0x20, - 0x5d, 0x0a, 0x7d)), date = structure(1716311638, class = c("POSIXct", + 0x5d, 0x0a, 0x7d)), date = structure(1724876407, class = c("POSIXct", "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.2e-05, - connect = 0, pretransfer = 0.000156, starttransfer = 1.868975, - total = 1.869036)), class = "response") + connect = 0, pretransfer = 0.000102, starttransfer = 4.358533, + total = 4.358561)), class = "response") diff --git a/tests/testthat/chemical/chemical/search/equal/Bisphenol%20A.json b/tests/testthat/chemical/chemical/search/equal/Bisphenol%20A.json index c9e89e1..fca443e 100644 --- a/tests/testthat/chemical/chemical/search/equal/Bisphenol%20A.json +++ b/tests/testthat/chemical/chemical/search/equal/Bisphenol%20A.json @@ -1,8 +1,8 @@ [ { - "rank": 9, "searchName": "Approved Name", "searchValue": "Bisphenol A", + "rank": 9, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", "casrn": "80-05-7", diff --git a/tests/testthat/chemical/chemical/search/equal/gvfds.R b/tests/testthat/chemical/chemical/search/equal/gvfds.R index b409f2e..fb37c72 100644 --- a/tests/testthat/chemical/chemical/search/equal/gvfds.R +++ b/tests/testthat/chemical/chemical/search/equal/gvfds.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/search/equal/gvfds", status_code = 400L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:13:54 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:19:58 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "382cd52a-3f24-4499-6452-3996c1cc2de3", + `x-vcap-request-id` = "7ac632d2-8518-4898-74af-f3b69d2734ce", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "i5RM0_Kgr0qq4d_JIydXknzxAp0_T61X_NYPjvKndc5Ow_z8hhbwxA=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "BSPhIyuOSoeF17zcP3ZILq5Gymd74MhfGMQxUc5fw4YP_vmwVsA6Pw=="), class = c("insensitive", "list")), all_headers = list(list(status = 400L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:13:54 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:19:58 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "382cd52a-3f24-4499-6452-3996c1cc2de3", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "7ac632d2-8518-4898-74af-f3b69d2734ce", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "i5RM0_Kgr0qq4d_JIydXknzxAp0_T61X_NYPjvKndc5Ow_z8hhbwxA=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "BSPhIyuOSoeF17zcP3ZILq5Gymd74MhfGMQxUc5fw4YP_vmwVsA6Pw=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -44,7 +44,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/search/equal/gvfds", 0x61, 0x70, 0x66, 0x64, 0x73, 0x22, 0x2c, 0x20, 0x22, 0x75, 0x70, 0x66, 0x64, 0x73, 0x22, 0x2c, 0x20, 0x22, 0x70, 0x66, 0x64, 0x73, 0x22, 0x2c, 0x20, 0x22, 0x76, 0x66, 0x64, 0x66, - 0x22, 0x20, 0x5d, 0x0a, 0x7d)), date = structure(1716311634, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 7.2e-05, - connect = 0, pretransfer = 0.000235, starttransfer = 0.278784, - total = 0.278825)), class = "response") + 0x22, 0x20, 0x5d, 0x0a, 0x7d)), date = structure(1724876398, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 5.8e-05, + connect = 0, pretransfer = 0.000166, starttransfer = 0.110932, + total = 0.11099)), class = "response") diff --git a/tests/testthat/chemical/chemical/search/start-with.R b/tests/testthat/chemical/chemical/search/start-with.R index 4e3e252..0d1f491 100644 --- a/tests/testthat/chemical/chemical/search/start-with.R +++ b/tests/testthat/chemical/chemical/search/start-with.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/search/start-with/", status_code = 404L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:13:54 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:19:58 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "3ec2ebfb-59fa-4991-575b-4454480afed5", + `x-vcap-request-id` = "8c199dcf-5d0e-4bc2-6b45-1d1ede74a497", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "uVeVn3sGwHPcYcQhn3xOjW38-T1l0mvUD5CmTYOcGUAAUzW566er6A=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "G9D84WTPizcl_XgMHICTcTcjSgjU9IYyDySDV9oX6b940VTCZg_rWg=="), class = c("insensitive", "list")), all_headers = list(list(status = 404L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:13:54 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:19:58 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "3ec2ebfb-59fa-4991-575b-4454480afed5", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "8c199dcf-5d0e-4bc2-6b45-1d1ede74a497", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "uVeVn3sGwHPcYcQhn3xOjW38-T1l0mvUD5CmTYOcGUAAUzW566er6A=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "G9D84WTPizcl_XgMHICTcTcjSgjU9IYyDySDV9oX6b940VTCZg_rWg=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -38,7 +38,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/search/start-with/", 0x3a, 0x20, 0x22, 0x2f, 0x63, 0x68, 0x65, 0x6d, 0x69, 0x63, 0x61, 0x6c, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x73, 0x74, 0x61, 0x72, 0x74, 0x2d, 0x77, 0x69, 0x74, 0x68, - 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1716311634, class = c("POSIXct", + 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1724876398, class = c("POSIXct", "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.2e-05, - connect = 0, pretransfer = 0.000158, starttransfer = 0.273469, - total = 0.273497)), class = "response") + connect = 0, pretransfer = 0.000146, starttransfer = 0.092542, + total = 0.092571)), class = "response") diff --git a/tests/testthat/chemical/chemical/search/start-with/DTXSID7020182.json b/tests/testthat/chemical/chemical/search/start-with/DTXSID7020182.json index 8efbb27..6fd8ac5 100644 --- a/tests/testthat/chemical/chemical/search/start-with/DTXSID7020182.json +++ b/tests/testthat/chemical/chemical/search/start-with/DTXSID7020182.json @@ -1,8 +1,8 @@ [ { - "rank": 1, "searchName": "DSSTox_Substance_Id", "searchValue": "DTXSID7020182", + "rank": 1, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", "casrn": "80-05-7", diff --git a/tests/testthat/chemical/chemical/synonym/search/by-dtxsid.R b/tests/testthat/chemical/chemical/synonym/search/by-dtxsid.R index dfbed79..608ce8b 100644 --- a/tests/testthat/chemical/chemical/synonym/search/by-dtxsid.R +++ b/tests/testthat/chemical/chemical/synonym/search/by-dtxsid.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/synonym/search/by-dtxsid/", - status_code = 404L, headers = structure(list(`content-type` = "application/problem+json", + status_code = 405L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:14:07 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:16 GMT", allow = "POST", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "cfd08f83-767d-4494-5310-9330705a1d52", + `x-vcap-request-id` = "555e73c7-d7bc-4b65-7bde-c8d3012eacf3", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "jCQ5nIadhVNpDOOQhmVCRW44l-OlO3kMXJkslpJb5CWGAvCefaRhSw=="), class = c("insensitive", - "list")), all_headers = list(list(status = 404L, version = "HTTP/1.1", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "M8sWlJQTajfs4UP22y4MqKjOaF2MI3PA1zN0G8eBOj9WKbMOd7NLRg=="), class = c("insensitive", + "list")), all_headers = list(list(status = 405L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Tue, 21 May 2024 17:14:07 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Wed, 28 Aug 2024 20:20:16 GMT", allow = "POST", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "cfd08f83-767d-4494-5310-9330705a1d52", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "555e73c7-d7bc-4b65-7bde-c8d3012eacf3", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 d7b509440ac55e6d7b3c4c7ad48b08f2.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "IAH50-C2", `x-amz-cf-id` = "jCQ5nIadhVNpDOOQhmVCRW44l-OlO3kMXJkslpJb5CWGAvCefaRhSw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "M8sWlJQTajfs4UP22y4MqKjOaF2MI3PA1zN0G8eBOj9WKbMOd7NLRg=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -24,22 +24,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/synonym/search/by-dtxsid 0x70, 0x65, 0x22, 0x20, 0x3a, 0x20, 0x22, 0x61, 0x62, 0x6f, 0x75, 0x74, 0x3a, 0x62, 0x6c, 0x61, 0x6e, 0x6b, 0x22, 0x2c, 0x0a, 0x20, 0x20, 0x22, 0x74, 0x69, 0x74, 0x6c, 0x65, 0x22, - 0x20, 0x3a, 0x20, 0x22, 0x4e, 0x6f, 0x74, 0x20, 0x46, 0x6f, - 0x75, 0x6e, 0x64, 0x22, 0x2c, 0x0a, 0x20, 0x20, 0x22, 0x73, - 0x74, 0x61, 0x74, 0x75, 0x73, 0x22, 0x20, 0x3a, 0x20, 0x34, - 0x30, 0x34, 0x2c, 0x0a, 0x20, 0x20, 0x22, 0x64, 0x65, 0x74, - 0x61, 0x69, 0x6c, 0x22, 0x20, 0x3a, 0x20, 0x22, 0x4e, 0x6f, - 0x20, 0x73, 0x74, 0x61, 0x74, 0x69, 0x63, 0x20, 0x72, 0x65, - 0x73, 0x6f, 0x75, 0x72, 0x63, 0x65, 0x20, 0x63, 0x68, 0x65, + 0x20, 0x3a, 0x20, 0x22, 0x4d, 0x65, 0x74, 0x68, 0x6f, 0x64, + 0x20, 0x4e, 0x6f, 0x74, 0x20, 0x41, 0x6c, 0x6c, 0x6f, 0x77, + 0x65, 0x64, 0x22, 0x2c, 0x0a, 0x20, 0x20, 0x22, 0x73, 0x74, + 0x61, 0x74, 0x75, 0x73, 0x22, 0x20, 0x3a, 0x20, 0x34, 0x30, + 0x35, 0x2c, 0x0a, 0x20, 0x20, 0x22, 0x64, 0x65, 0x74, 0x61, + 0x69, 0x6c, 0x22, 0x20, 0x3a, 0x20, 0x22, 0x4d, 0x65, 0x74, + 0x68, 0x6f, 0x64, 0x20, 0x27, 0x47, 0x45, 0x54, 0x27, 0x20, + 0x69, 0x73, 0x20, 0x6e, 0x6f, 0x74, 0x20, 0x73, 0x75, 0x70, + 0x70, 0x6f, 0x72, 0x74, 0x65, 0x64, 0x2e, 0x22, 0x2c, 0x0a, + 0x20, 0x20, 0x22, 0x69, 0x6e, 0x73, 0x74, 0x61, 0x6e, 0x63, + 0x65, 0x22, 0x20, 0x3a, 0x20, 0x22, 0x2f, 0x63, 0x68, 0x65, 0x6d, 0x69, 0x63, 0x61, 0x6c, 0x2f, 0x73, 0x79, 0x6e, 0x6f, 0x6e, 0x79, 0x6d, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, 0x64, 0x74, 0x78, 0x73, 0x69, 0x64, - 0x2e, 0x22, 0x2c, 0x0a, 0x20, 0x20, 0x22, 0x69, 0x6e, 0x73, - 0x74, 0x61, 0x6e, 0x63, 0x65, 0x22, 0x20, 0x3a, 0x20, 0x22, - 0x2f, 0x63, 0x68, 0x65, 0x6d, 0x69, 0x63, 0x61, 0x6c, 0x2f, - 0x73, 0x79, 0x6e, 0x6f, 0x6e, 0x79, 0x6d, 0x2f, 0x73, 0x65, - 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, 0x64, 0x74, - 0x78, 0x73, 0x69, 0x64, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1716311647, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.5e-05, - connect = 0, pretransfer = 0.00011, starttransfer = 0.268972, - total = 0.269014)), class = "response") + 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1724876416, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4e-05, + connect = 0, pretransfer = 0.000101, starttransfer = 0.224658, + total = 0.224683)), class = "response") diff --git a/tests/testthat/chemical/chemical/synonym/search/by-dtxsid/DTXSID7020182.json b/tests/testthat/chemical/chemical/synonym/search/by-dtxsid/DTXSID7020182.json index b1fb992..82c3dc1 100644 --- a/tests/testthat/chemical/chemical/synonym/search/by-dtxsid/DTXSID7020182.json +++ b/tests/testthat/chemical/chemical/synonym/search/by-dtxsid/DTXSID7020182.json @@ -5,6 +5,49 @@ "Bisphenol A", "Phenol, 4,4'-(1-methylethylidene)bis-" ], + "good": [ + "2,2-Bis(4-hydroxyphenyl)propane", + "2,2-Bis(4'-hydroxyphenyl) propane", + "2,2'-Bis(4-hydroxyphenyl)propane", + "2,2-BIS-(4-HYDROXY-PHENYL)-PROPANE", + "2,2-Bis(p-hydroxyphenyl)propane", + "2,2-Di(4-Hydroxyphenyl) Propane", + "2,2-DI(4-HYDROXYPHENYL)PROPANE", + "2,2-Di(4-phenylol)propane", + "4,4'-(1-Methylethylidene)bisphenol", + "4,4'-Bisphenol A", + "(4,4'-Dihydroxydiphenyl)dimethylmethane", + "4,4'-DIHYDROXYPHENYL-2,2-PROPANE", + "4,4'-isopropilidendifenol", + "4,4'-Isopropylidendiphenol", + "4,4'-Isopropylidene bisphenol", + "4,4'-Isopropylidenebis[phenol]", + "4,4'-isopropylidenediphenol", + "4,4-ISOPROPYLIDENE DIPHENYL", + "4,4'-Methylethylidenebisphenol", + "Bis(4-hydroxyphenyl)dimethylmethane", + "BIS[PHENOL], 4,4'-(1-METHYLETHYLIDENE)-", + "BISPHENOL, 4,4'-(1-METHYLETHYLIDENE)-", + "Bisphenol-A", + "Bis(p-hydroxyphenyl)propane", + "Diphenol methylethylidene", + "Diphenylolpropane", + "Hidorin F 285", + "Isopropylidenebis(4-hydroxybenzene)", + "NSC 1767", + "NSC 17959", + "Parabis", + "Parabis A", + "Phenol, 4,4'-isopropylidenedi-", + "Pluracol 245", + "p,p'-Bisphenol A", + "p,p'-Dihydroxydiphenylpropane", + "p,p'-Isopropylidenebisphenol", + "p,p'-Isopropylidenediphenol", + "P,P'-ISOPROPYLIDENE DIPHENOL", + "Rikabanol", + "β,β'-Bis(p-hydroxyphenyl)propane" + ], "deletedCasrn": [ "137885-53-1", "1429425-26-2", @@ -219,51 +262,8 @@ "Ucar bisphenol HP", "UNII-MLT3645I99" ], - "good": [ - "2,2-Bis(4-hydroxyphenyl)propane", - "2,2-Bis(4'-hydroxyphenyl) propane", - "2,2'-Bis(4-hydroxyphenyl)propane", - "2,2-BIS-(4-HYDROXY-PHENYL)-PROPANE", - "2,2-Bis(p-hydroxyphenyl)propane", - "2,2-Di(4-Hydroxyphenyl) Propane", - "2,2-DI(4-HYDROXYPHENYL)PROPANE", - "2,2-Di(4-phenylol)propane", - "4,4'-(1-Methylethylidene)bisphenol", - "4,4'-Bisphenol A", - "(4,4'-Dihydroxydiphenyl)dimethylmethane", - "4,4'-DIHYDROXYPHENYL-2,2-PROPANE", - "4,4'-isopropilidendifenol", - "4,4'-Isopropylidendiphenol", - "4,4'-Isopropylidene bisphenol", - "4,4'-Isopropylidenebis[phenol]", - "4,4'-isopropylidenediphenol", - "4,4-ISOPROPYLIDENE DIPHENYL", - "4,4'-Methylethylidenebisphenol", - "Bis(4-hydroxyphenyl)dimethylmethane", - "BIS[PHENOL], 4,4'-(1-METHYLETHYLIDENE)-", - "BISPHENOL, 4,4'-(1-METHYLETHYLIDENE)-", - "Bisphenol-A", - "Bis(p-hydroxyphenyl)propane", - "Diphenol methylethylidene", - "Diphenylolpropane", - "Hidorin F 285", - "Isopropylidenebis(4-hydroxybenzene)", - "NSC 1767", - "NSC 17959", - "Parabis", - "Parabis A", - "Phenol, 4,4'-isopropylidenedi-", - "Pluracol 245", - "p,p'-Bisphenol A", - "p,p'-Dihydroxydiphenylpropane", - "p,p'-Isopropylidenebisphenol", - "p,p'-Isopropylidenediphenol", - "P,P'-ISOPROPYLIDENE DIPHENOL", - "Rikabanol", - "β,β'-Bis(p-hydroxyphenyl)propane" - ], "beilstein": null, "alternateCasrn": null, - "pcCode": null, - "dtxsid": "DTXSID7020182" + "dtxsid": "DTXSID7020182", + "pcCode": null } From 95b997870889a0355721e8fb879428751d2d3f0e Mon Sep 17 00:00:00 2001 From: Paul Kruse Date: Wed, 28 Aug 2024 16:26:46 -0400 Subject: [PATCH 06/15] Initial commit. --- .../chemical/chemical/ghslink/to-dtxsid.R | 43 +++++++++++++++++++ .../ghslink/to-dtxsid/DTXSID7020182.json | 5 +++ 2 files changed, 48 insertions(+) create mode 100644 tests/testthat/chemical/chemical/ghslink/to-dtxsid.R create mode 100644 tests/testthat/chemical/chemical/ghslink/to-dtxsid/DTXSID7020182.json diff --git a/tests/testthat/chemical/chemical/ghslink/to-dtxsid.R b/tests/testthat/chemical/chemical/ghslink/to-dtxsid.R new file mode 100644 index 0000000..e4f513b --- /dev/null +++ b/tests/testthat/chemical/chemical/ghslink/to-dtxsid.R @@ -0,0 +1,43 @@ +structure(list(url = "https://api-ccte.epa.gov/chemical/ghslink/to-dtxsid/", + status_code = 405L, headers = structure(list(`content-type` = "application/problem+json", + `transfer-encoding` = "chunked", connection = "keep-alive", + date = "Wed, 28 Aug 2024 20:19:56 GMT", allow = "POST", + `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", + `x-vcap-request-id` = "858eea6b-80fe-40cc-6f8e-8cfd6fb678e0", + `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "_7C18ZY3FydYP4_o8PNZo6DJ1xwx4Tfi7ChldactHZPt4mqSJSTpwg=="), class = c("insensitive", + "list")), all_headers = list(list(status = 405L, version = "HTTP/1.1", + headers = structure(list(`content-type` = "application/problem+json", + `transfer-encoding` = "chunked", connection = "keep-alive", + date = "Wed, 28 Aug 2024 20:19:56 GMT", allow = "POST", + `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "858eea6b-80fe-40cc-6f8e-8cfd6fb678e0", + `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", + `x-cache` = "Error from cloudfront", via = "1.1 824fe21e467658628899bdd8725649ee.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "_7C18ZY3FydYP4_o8PNZo6DJ1xwx4Tfi7ChldactHZPt4mqSJSTpwg=="), class = c("insensitive", + "list")))), cookies = structure(list(domain = logical(0), + flag = logical(0), path = logical(0), secure = logical(0), + expiration = structure(numeric(0), class = c("POSIXct", + "POSIXt")), name = logical(0), value = logical(0)), row.names = integer(0), class = "data.frame"), + content = as.raw(c(0x7b, 0x0a, 0x20, 0x20, 0x22, 0x74, 0x79, + 0x70, 0x65, 0x22, 0x20, 0x3a, 0x20, 0x22, 0x61, 0x62, 0x6f, + 0x75, 0x74, 0x3a, 0x62, 0x6c, 0x61, 0x6e, 0x6b, 0x22, 0x2c, + 0x0a, 0x20, 0x20, 0x22, 0x74, 0x69, 0x74, 0x6c, 0x65, 0x22, + 0x20, 0x3a, 0x20, 0x22, 0x4d, 0x65, 0x74, 0x68, 0x6f, 0x64, + 0x20, 0x4e, 0x6f, 0x74, 0x20, 0x41, 0x6c, 0x6c, 0x6f, 0x77, + 0x65, 0x64, 0x22, 0x2c, 0x0a, 0x20, 0x20, 0x22, 0x73, 0x74, + 0x61, 0x74, 0x75, 0x73, 0x22, 0x20, 0x3a, 0x20, 0x34, 0x30, + 0x35, 0x2c, 0x0a, 0x20, 0x20, 0x22, 0x64, 0x65, 0x74, 0x61, + 0x69, 0x6c, 0x22, 0x20, 0x3a, 0x20, 0x22, 0x4d, 0x65, 0x74, + 0x68, 0x6f, 0x64, 0x20, 0x27, 0x47, 0x45, 0x54, 0x27, 0x20, + 0x69, 0x73, 0x20, 0x6e, 0x6f, 0x74, 0x20, 0x73, 0x75, 0x70, + 0x70, 0x6f, 0x72, 0x74, 0x65, 0x64, 0x2e, 0x22, 0x2c, 0x0a, + 0x20, 0x20, 0x22, 0x69, 0x6e, 0x73, 0x74, 0x61, 0x6e, 0x63, + 0x65, 0x22, 0x20, 0x3a, 0x20, 0x22, 0x2f, 0x63, 0x68, 0x65, + 0x6d, 0x69, 0x63, 0x61, 0x6c, 0x2f, 0x67, 0x68, 0x73, 0x6c, + 0x69, 0x6e, 0x6b, 0x2f, 0x74, 0x6f, 0x2d, 0x64, 0x74, 0x78, + 0x73, 0x69, 0x64, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1724876396, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.9e-05, + connect = 0, pretransfer = 0.000111, starttransfer = 0.08515, + total = 0.08518)), class = "response") diff --git a/tests/testthat/chemical/chemical/ghslink/to-dtxsid/DTXSID7020182.json b/tests/testthat/chemical/chemical/ghslink/to-dtxsid/DTXSID7020182.json new file mode 100644 index 0000000..288098a --- /dev/null +++ b/tests/testthat/chemical/chemical/ghslink/to-dtxsid/DTXSID7020182.json @@ -0,0 +1,5 @@ +{ + "dtxsid": "DTXSID7020182", + "isSafetyData": true, + "safetyUrl": "https://pubchem.ncbi.nlm.nih.gov/compound/IISBACLAFKSPIT-UHFFFAOYSA-N#section=GHS-Classification" +} From 4b9631f42786ccfa1052434c1bedc95e3b878390 Mon Sep 17 00:00:00 2001 From: Paul Kruse Date: Wed, 28 Aug 2024 16:34:32 -0400 Subject: [PATCH 07/15] Added subsection for new endpoint `check_existence_by_dtxsid()`. --- vignettes/Chemical.Rmd | 11 +++++++++++ 1 file changed, 11 insertions(+) diff --git a/vignettes/Chemical.Rmd b/vignettes/Chemical.Rmd index 308a847..35e449f 100644 --- a/vignettes/Chemical.Rmd +++ b/vignettes/Chemical.Rmd @@ -98,6 +98,7 @@ chemical_details_by_dtxsid <- get_chemical_details(DTXSID = 'DTXSID7020182') chemical_details_by_dtxcid <- get_chemical_details(DTXCID = 'DTXCID30182') ``` + ### By Batch Search ```{r ctxR batch data chemical, message=FALSE, eval=FALSE} @@ -108,6 +109,16 @@ vector_dtxcid <- c("DTXCID30182", "DTXCID801430", "DTXCID90112") chemical_details_by_batch_dtxcid <- get_chemical_details_batch(DTXCID = vector_dtxcid) ``` +# Pubchem Link to GHS classification + +`check_existence_by_dtxsid()` checks if the supplied DTXSID is valid and returns a URL for additional information on the chemical in the case of a valid DTXSID. + +```{r ctxr dtxsid check, message=FALSE, eval=FALSE} +dtxsid_check_true <- check_existence_by_dtxsid(DTXSID = 'DTXSID7020182') +dtxsid_check_false <- check_existence_by_dtxsid(DTXSID = 'DTXSID7020182f') +``` + + # Chemical Property Resource `get_chemical_by_property_range()` retrieves data for chemicals that have a specified property within the input range. From 563c1982860b25b7345fc72b10f537650344b0ea Mon Sep 17 00:00:00 2001 From: Paul Kruse Date: Thu, 29 Aug 2024 15:42:39 -0400 Subject: [PATCH 08/15] Added function export for `check_existence_by_dtxsid_batch()`. --- NAMESPACE | 1 + 1 file changed, 1 insertion(+) diff --git a/NAMESPACE b/NAMESPACE index 98a124f..962bc20 100644 --- a/NAMESPACE +++ b/NAMESPACE @@ -2,6 +2,7 @@ S3method(print,ctx_credentials) export(check_existence_by_dtxsid) +export(check_existence_by_dtxsid_batch) export(chemical_contains) export(chemical_contains_batch) export(chemical_equal) From 2065825c1a95140afbdba6b62293b8efb2973b4f Mon Sep 17 00:00:00 2001 From: Paul Kruse Date: Thu, 29 Aug 2024 15:43:19 -0400 Subject: [PATCH 09/15] Added function `check_existence_by_dtxsid_batch()`. Commented out print statements in `chemical_Equal_batch()` function. --- R/chemical-APIs-batch.R | 117 +++++++++++++++++++++++++++++++++++++--- 1 file changed, 110 insertions(+), 7 deletions(-) diff --git a/R/chemical-APIs-batch.R b/R/chemical-APIs-batch.R index 6236d6f..837fa7b 100644 --- a/R/chemical-APIs-batch.R +++ b/R/chemical-APIs-batch.R @@ -268,6 +268,109 @@ generate_dtxsid_string <- function(items){ return(dtxsid_string) } +#' Check existence by DTXSID batch +#' +#' @param DTXSID The chemical identifier DTXSIDs +#' @param API_key The user-specific API key +#' @param rate_limit Number of seconds to wait between each request. +#' @param Server The root address of the API endpoint +#' @param verbose A logical indicating whether some "progress report" should be +#' given. +#' +#' @return A data.table of information detailing valid and invalid DTXSIDs. +#' @export +#' +#' @examplesIf FALSE +#' dtxsids <- c('DTXSID7020182F', 'DTXSID7020182', 'DTXSID0020232F') +#' existence <- check_existence_by_dtxsid_batch(DTXSID = dtxsids) +check_existence_by_dtxsid_batch <- function(DTXSID = NULL, + API_key = NULL, + rate_limit = 0L, + Server = chemical_api_server, + verbose = FALSE){ + if (is.null(API_key) || !is.character(API_key)){ + if (has_ctx_key()) { + API_key <- ctx_key() + if (verbose) { + message('Using stored API key!') + } + } + } + if (!is.numeric(rate_limit) | (rate_limit < 0)){ + warning('Setting rate limit to 0 seconds between requests!') + rate_limit <- 0L + } + + + + if (!is.null(DTXSID)){ + if (!is.character(DTXSID) & !all(sapply(DTXSID, is.character))){ + stop('Please input a character list for DTXSID!') + } + + DTXSID <- unique(DTXSID) + num_DTXSID <- length(DTXSID) + indices <- generate_ranges(num_DTXSID) + + dt <- data.table::data.table(dtxsid = character(), + isSafetyData = logical(), + safetyUrl = character()) + + #names(dt) <- names + + for (i in seq_along(indices)){ + if (verbose) { + print(paste('The current index is i =', i, 'out of', length(indices))) + } + + response <- httr::POST(url = paste0(Server, '/ghslink/to-dtxsid/'), + httr::add_headers(.headers = c( + 'Accept' = 'application/json', + 'Content-Type' = 'application/json', + 'x-api-key' = API_key + )), + body = jsonlite::toJSON(DTXSID[indices[[i]]], auto_unbox = ifelse(length(DTXSID[indices[[i]]]) > 1, 'T', 'F'))) + + if (response$status_code == 200){ + if (length(response$content) > 0){ + res_content <- jsonlite::fromJSON(httr::content(response, + as = 'text', + encoding = "UTF-8")) + if (length(res_content$safetyUrl) > 0){ + + + null_indices <- which(sapply(res_content$safetyUrl, is.null)) + if (length(null_indices) > 0){ + res_content$safetyUrl[null_indices] <- NA_character_ + } + dt <- suppressWarnings(data.table::rbindlist(list(dt, + data.table::rbindlist(list(res_content))), + fill = TRUE)) + + } + } + } + Sys.sleep(rate_limit) + } + + # Fix for bug in endpoint. DTXSIDs that are not valid do not have information + # returned. To overcome this, the single search on the missing DTXSIDs is + # exectued and combined with the valid responses. + missing <- setdiff(DTXSID, dt$dtxsid) + if (length(missing) > 0){ + missing_info <- data.table::rbindlist(lapply(missing, check_existence_by_dtxsid, API_key = API_key)) + final <- data.table::rbindlist(list(dt, missing_info)) + return(final[match(DTXSID, final$dtxsid),]) + } + + + + } else { + stop('Please input a list of DTXSIDs!') + } + return(dt) +} + get_smiles_batch <- function(names = NULL, API_key = NULL, rate_limit = 0L, @@ -1189,13 +1292,13 @@ chemical_equal_batch <- function(word_list = NULL, valid_index <- which(unlist(lapply(results$searchMsgs, is.null))) invalid_index <- setdiff(seq_along(results$searchMsgs), valid_index) - print('Valid') - print(valid_index) - - print('Invalid') - print(setdiff(seq_along(results$suggestions), valid_index)) - - print(names(results)) + # print('Valid') + # print(valid_index) + # + # print('Invalid') + # print(setdiff(seq_along(results$suggestions), valid_index)) + # + # print(names(results)) return_list$valid <- data.table::copy(results)[valid_index, -c(11:12)] return_list$invalid <- data.table::copy(results)[invalid_index, c(7, 11:13)] From f6c599e6b2c441f24170d9c7d87c167e1ee428b5 Mon Sep 17 00:00:00 2001 From: Paul Kruse Date: Thu, 29 Aug 2024 15:43:56 -0400 Subject: [PATCH 10/15] Initial commit. --- man/check_existence_by_dtxsid_batch.Rd | 38 ++++++++++++++++ .../ghslink/to-dtxsid-cd40e5-POST.json | 7 +++ .../ghslink/to-dtxsid-ddb193-POST.json | 3 ++ .../chemical/ghslink/to-dtxsid.R | 43 +++++++++++++++++++ 4 files changed, 91 insertions(+) create mode 100644 man/check_existence_by_dtxsid_batch.Rd create mode 100644 tests/testthat/chemical-batch/chemical/ghslink/to-dtxsid-cd40e5-POST.json create mode 100644 tests/testthat/chemical-batch/chemical/ghslink/to-dtxsid-ddb193-POST.json create mode 100644 tests/testthat/chemical-batch/chemical/ghslink/to-dtxsid.R diff --git a/man/check_existence_by_dtxsid_batch.Rd b/man/check_existence_by_dtxsid_batch.Rd new file mode 100644 index 0000000..721f975 --- /dev/null +++ b/man/check_existence_by_dtxsid_batch.Rd @@ -0,0 +1,38 @@ +% Generated by roxygen2: do not edit by hand +% Please edit documentation in R/chemical-APIs-batch.R +\name{check_existence_by_dtxsid_batch} +\alias{check_existence_by_dtxsid_batch} +\title{Check existence by DTXSID batch} +\usage{ +check_existence_by_dtxsid_batch( + DTXSID = NULL, + API_key = NULL, + rate_limit = 0L, + Server = chemical_api_server, + verbose = FALSE +) +} +\arguments{ +\item{DTXSID}{The chemical identifier DTXSIDs} + +\item{API_key}{The user-specific API key} + +\item{rate_limit}{Number of seconds to wait between each request.} + +\item{Server}{The root address of the API endpoint} + +\item{verbose}{A logical indicating whether some "progress report" should be +given.} +} +\value{ +A data.table of information detailing valid and invalid DTXSIDs. +} +\description{ +Check existence by DTXSID batch +} +\examples{ +\dontshow{if (FALSE) (if (getRversion() >= "3.4") withAutoprint else force)(\{ # examplesIf} +dtxsids <- c('DTXSID7020182F', 'DTXSID7020182', 'DTXSID0020232F') +existence <- check_existence_by_dtxsid_batch(DTXSID = dtxsids) +\dontshow{\}) # examplesIf} +} diff --git a/tests/testthat/chemical-batch/chemical/ghslink/to-dtxsid-cd40e5-POST.json b/tests/testthat/chemical-batch/chemical/ghslink/to-dtxsid-cd40e5-POST.json new file mode 100644 index 0000000..1b82663 --- /dev/null +++ b/tests/testthat/chemical-batch/chemical/ghslink/to-dtxsid-cd40e5-POST.json @@ -0,0 +1,7 @@ +[ + { + "dtxsid": "DTXSID7020182", + "isSafetyData": true, + "safetyUrl": "https://pubchem.ncbi.nlm.nih.gov/compound/IISBACLAFKSPIT-UHFFFAOYSA-N#section=GHS-Classification" + } +] diff --git a/tests/testthat/chemical-batch/chemical/ghslink/to-dtxsid-ddb193-POST.json b/tests/testthat/chemical-batch/chemical/ghslink/to-dtxsid-ddb193-POST.json new file mode 100644 index 0000000..41b42e6 --- /dev/null +++ b/tests/testthat/chemical-batch/chemical/ghslink/to-dtxsid-ddb193-POST.json @@ -0,0 +1,3 @@ +[ + +] diff --git a/tests/testthat/chemical-batch/chemical/ghslink/to-dtxsid.R b/tests/testthat/chemical-batch/chemical/ghslink/to-dtxsid.R new file mode 100644 index 0000000..3ccae77 --- /dev/null +++ b/tests/testthat/chemical-batch/chemical/ghslink/to-dtxsid.R @@ -0,0 +1,43 @@ +structure(list(url = "https://api-ccte.epa.gov/chemical/ghslink/to-dtxsid/", + status_code = 405L, headers = structure(list(`content-type` = "application/problem+json", + `transfer-encoding` = "chunked", connection = "keep-alive", + date = "Thu, 29 Aug 2024 19:35:39 GMT", allow = "POST", + `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", + `x-vcap-request-id` = "9248eed1-5a3d-457f-44b8-1bf0ee2e3c09", + `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "yimbdBswzEnOatjQyBB7P4mcMV6Ymo1LOGQESKQyy9C-DL_cnHw4ag=="), class = c("insensitive", + "list")), all_headers = list(list(status = 405L, version = "HTTP/1.1", + headers = structure(list(`content-type` = "application/problem+json", + `transfer-encoding` = "chunked", connection = "keep-alive", + date = "Thu, 29 Aug 2024 19:35:39 GMT", allow = "POST", + `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "9248eed1-5a3d-457f-44b8-1bf0ee2e3c09", + `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "yimbdBswzEnOatjQyBB7P4mcMV6Ymo1LOGQESKQyy9C-DL_cnHw4ag=="), class = c("insensitive", + "list")))), cookies = structure(list(domain = logical(0), + flag = logical(0), path = logical(0), secure = logical(0), + expiration = structure(numeric(0), class = c("POSIXct", + "POSIXt")), name = logical(0), value = logical(0)), row.names = integer(0), class = "data.frame"), + content = as.raw(c(0x7b, 0x0a, 0x20, 0x20, 0x22, 0x74, 0x79, + 0x70, 0x65, 0x22, 0x20, 0x3a, 0x20, 0x22, 0x61, 0x62, 0x6f, + 0x75, 0x74, 0x3a, 0x62, 0x6c, 0x61, 0x6e, 0x6b, 0x22, 0x2c, + 0x0a, 0x20, 0x20, 0x22, 0x74, 0x69, 0x74, 0x6c, 0x65, 0x22, + 0x20, 0x3a, 0x20, 0x22, 0x4d, 0x65, 0x74, 0x68, 0x6f, 0x64, + 0x20, 0x4e, 0x6f, 0x74, 0x20, 0x41, 0x6c, 0x6c, 0x6f, 0x77, + 0x65, 0x64, 0x22, 0x2c, 0x0a, 0x20, 0x20, 0x22, 0x73, 0x74, + 0x61, 0x74, 0x75, 0x73, 0x22, 0x20, 0x3a, 0x20, 0x34, 0x30, + 0x35, 0x2c, 0x0a, 0x20, 0x20, 0x22, 0x64, 0x65, 0x74, 0x61, + 0x69, 0x6c, 0x22, 0x20, 0x3a, 0x20, 0x22, 0x4d, 0x65, 0x74, + 0x68, 0x6f, 0x64, 0x20, 0x27, 0x47, 0x45, 0x54, 0x27, 0x20, + 0x69, 0x73, 0x20, 0x6e, 0x6f, 0x74, 0x20, 0x73, 0x75, 0x70, + 0x70, 0x6f, 0x72, 0x74, 0x65, 0x64, 0x2e, 0x22, 0x2c, 0x0a, + 0x20, 0x20, 0x22, 0x69, 0x6e, 0x73, 0x74, 0x61, 0x6e, 0x63, + 0x65, 0x22, 0x20, 0x3a, 0x20, 0x22, 0x2f, 0x63, 0x68, 0x65, + 0x6d, 0x69, 0x63, 0x61, 0x6c, 0x2f, 0x67, 0x68, 0x73, 0x6c, + 0x69, 0x6e, 0x6b, 0x2f, 0x74, 0x6f, 0x2d, 0x64, 0x74, 0x78, + 0x73, 0x69, 0x64, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1724960139, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 2.4e-05, + connect = 0, pretransfer = 8.5e-05, starttransfer = 0.250437, + total = 0.250468)), class = "response") From 408b88af3c6ee79e06785be956a54f49a49578a0 Mon Sep 17 00:00:00 2001 From: Paul Kruse Date: Thu, 29 Aug 2024 15:45:53 -0400 Subject: [PATCH 11/15] Reran tests to capture updated recordings. --- .../search/by-dtxcid/DTXCID30182-9e51f1.json | 4 +- .../search/by-dtxsid-9e51f1-cd40e5-POST.R | 24 +- .../search/by-dtxsid-9e51f1-cd40e5-POST.json | 4 +- .../fate/search/by-dtxsid-cd40e5-POST.R | 24 +- .../fate/search/by-dtxsid-cd40e5-POST.json | 264 +++++++------- .../search/by-dtxcid/DTXCID30182-ac797a.R | 24 +- .../file/image/search/by-dtxsid-85b7e8.R | 24 +- .../image/search/by-dtxsid/DTXSID7020182.R | 24 +- .../chemical/file/mrv/search/by-dtxsid.R | 22 +- .../chemical/list/search/by-dtxsid.R | 24 +- .../list/search/by-dtxsid/DTXSID7020182.R | 24 +- .../list/search/by-dtxsid/DTXSID7020182.json | 33 ++ .../chemical/list/search/by-name-8b6df7.R | 24 +- .../chemical/list/search/by-name.R | 24 +- .../search/by-name/BIOSOLDIS2021-8b6df7.R | 37 +- .../list/search/by-name/BIOSOLIDS2021.R | 24 +- .../list/search/by-name/BIOSOLIDS2021.json | 4 +- .../search/by-name/DTXSID7020182-8b6df7.R | 24 +- .../chemical/list/search/by-type.R | 24 +- .../chemical/list/search/by-type/federal.R | 24 +- .../chemical/list/search/by-type/federal.json | 344 +++++++++--------- .../chemical/msready/search/by-dtxcid.R | 24 +- .../msready/search/by-dtxcid/DTXCID30182.R | 24 +- .../chemical/msready/search/by-formula.R | 24 +- .../chemical/msready/search/by-formula/CH4.R | 24 +- .../msready/search/by-mass-3083de-POST.R | 24 +- .../msready/search/by-mass-d40255-POST.R | 24 +- .../property/search/by-dtxsid-cd40e5-POST.R | 24 +- .../search/by-dtxsid-cd40e5-POST.json | 258 ++++++------- .../chemical/search/contain/DTXSID7020182.R | 24 +- .../search/contain/DTXSID7020182.json | 24 +- .../chemical/search/contain/gvfdsr7.R | 24 +- .../chemical/search/equal-a5c27e-POST.R | 24 +- .../search/start-with/DTXSID7020182.R | 24 +- .../chemical/search/start-with/gvfdsr7.R | 24 +- .../chemical/synonym/search/by-dtxsid.R | 51 ++- .../synonym/search/by-dtxsid/DTXSID7020182.R | 24 +- .../search/by-dtxsid/DTXSID7020182.json | 16 +- tests/testthat/test-chemical-APIs-batch.R | 7 + 39 files changed, 866 insertions(+), 826 deletions(-) diff --git a/tests/testthat/chemical-batch/chemical/detail/search/by-dtxcid/DTXCID30182-9e51f1.json b/tests/testthat/chemical-batch/chemical/detail/search/by-dtxcid/DTXCID30182-9e51f1.json index 1beb11a..02dcf77 100644 --- a/tests/testthat/chemical-batch/chemical/detail/search/by-dtxcid/DTXCID30182-9e51f1.json +++ b/tests/testthat/chemical-batch/chemical/detail/search/by-dtxcid/DTXCID30182-9e51f1.json @@ -1,5 +1,6 @@ { "id": "337693", + "cpdataCount": 292, "inchikey": "IISBACLAFKSPIT-UHFFFAOYSA-N", "wikipediaArticle": "Bisphenol A", "dtxsid": "DTXSID7020182", @@ -34,6 +35,5 @@ "irisLink": "356", "pprtvLink": null, "descriptorStringTsv": "0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t1\t1\t0\t0\t0\t0\t1\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t1\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t1\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t1\t0\t1\t1\t0\t1\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t1\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0", - "isMarkush": false, - "cpdataCount": 292 + "isMarkush": false } diff --git a/tests/testthat/chemical-batch/chemical/detail/search/by-dtxsid-9e51f1-cd40e5-POST.R b/tests/testthat/chemical-batch/chemical/detail/search/by-dtxsid-9e51f1-cd40e5-POST.R index 30d6c6b..0afb600 100644 --- a/tests/testthat/chemical-batch/chemical/detail/search/by-dtxsid-9e51f1-cd40e5-POST.R +++ b/tests/testthat/chemical-batch/chemical/detail/search/by-dtxsid-9e51f1-cd40e5-POST.R @@ -1,25 +1,25 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/detail/search/by-dtxsid/?projection=chemicaldetailstandard", status_code = 401L, headers = structure(list(`content-type` = "application/json;charset=ISO-8859-1", `content-length` = "164", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:06 GMT", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "52ef7dea-f1b8-488f-6322-2e510c403b56", + date = "Thu, 29 Aug 2024 19:35:38 GMT", `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "ff9e668f-1084-4aa4-5a68-da205e1fd0c6", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "r9PRCLIOMQ-IjFNVD1DH3Q1a-9TjGXT6Dl5bYiHGTaorjaQQPtNi1Q=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "kDYQM2MNV0A6RiiLL5dBEuolojD4vRlgYLjbyQ0a5L29xc_VsoOmCA=="), class = c("insensitive", "list")), all_headers = list(list(status = 401L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/json;charset=ISO-8859-1", `content-length` = "164", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:06 GMT", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "52ef7dea-f1b8-488f-6322-2e510c403b56", + date = "Thu, 29 Aug 2024 19:35:38 GMT", `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "ff9e668f-1084-4aa4-5a68-da205e1fd0c6", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "r9PRCLIOMQ-IjFNVD1DH3Q1a-9TjGXT6Dl5bYiHGTaorjaQQPtNi1Q=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "kDYQM2MNV0A6RiiLL5dBEuolojD4vRlgYLjbyQ0a5L29xc_VsoOmCA=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", "POSIXt")), name = logical(0), value = logical(0)), row.names = integer(0), class = "data.frame"), content = charToRaw("{\"title\":\"API Header Not Found\",\"detail\":\"Every API call should pass assigned API key through custom http header or query parameter. Request is missing x-api-key.\"}"), - date = structure(1716407406, class = c("POSIXct", "POSIXt" - ), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.9e-05, - connect = 0, pretransfer = 0.00015, starttransfer = 0.095333, - total = 0.095361)), class = "response") + date = structure(1724960138, class = c("POSIXct", "POSIXt" + ), tzone = "GMT"), times = c(redirect = 0, namelookup = 4e-05, + connect = 0, pretransfer = 0.000123, starttransfer = 0.250141, + total = 0.250168)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/detail/search/by-dtxsid-9e51f1-cd40e5-POST.json b/tests/testthat/chemical-batch/chemical/detail/search/by-dtxsid-9e51f1-cd40e5-POST.json index a1f58cb..8c13d4e 100644 --- a/tests/testthat/chemical-batch/chemical/detail/search/by-dtxsid-9e51f1-cd40e5-POST.json +++ b/tests/testthat/chemical-batch/chemical/detail/search/by-dtxsid-9e51f1-cd40e5-POST.json @@ -3,6 +3,7 @@ "id": "337693", "inchikey": "IISBACLAFKSPIT-UHFFFAOYSA-N", "wikipediaArticle": "Bisphenol A", + "cpdataCount": 292, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", "casrn": "80-05-7", @@ -35,7 +36,6 @@ "irisLink": "356", "pprtvLink": null, "descriptorStringTsv": "0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t1\t1\t0\t0\t0\t0\t1\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t1\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t1\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t1\t0\t1\t1\t0\t1\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t1\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0\t0", - "isMarkush": false, - "cpdataCount": 292 + "isMarkush": false } ] diff --git a/tests/testthat/chemical-batch/chemical/fate/search/by-dtxsid-cd40e5-POST.R b/tests/testthat/chemical-batch/chemical/fate/search/by-dtxsid-cd40e5-POST.R index b4cc005..3e0bf9c 100644 --- a/tests/testthat/chemical-batch/chemical/fate/search/by-dtxsid-cd40e5-POST.R +++ b/tests/testthat/chemical-batch/chemical/fate/search/by-dtxsid-cd40e5-POST.R @@ -1,25 +1,25 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/fate/search/by-dtxsid/", status_code = 401L, headers = structure(list(`content-type` = "application/json;charset=ISO-8859-1", `content-length` = "164", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:08 GMT", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "23573902-1058-48df-435f-b51f924678a0", + date = "Thu, 29 Aug 2024 19:35:40 GMT", `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "d6f15165-3c6e-4bea-63cd-be6d094581ab", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "fB2gwBQdMfT1LCgV2H1kx62o9sDNx1FP1sMFKtJNlKbWVFxgQ4Bm0Q=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "jxjaMZ7CD_Y2YDI0C7gy4Rc7W_mf2um8VOBJwsuJuWE3mL785Hpjvw=="), class = c("insensitive", "list")), all_headers = list(list(status = 401L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/json;charset=ISO-8859-1", `content-length` = "164", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:08 GMT", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "23573902-1058-48df-435f-b51f924678a0", + date = "Thu, 29 Aug 2024 19:35:40 GMT", `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "d6f15165-3c6e-4bea-63cd-be6d094581ab", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "fB2gwBQdMfT1LCgV2H1kx62o9sDNx1FP1sMFKtJNlKbWVFxgQ4Bm0Q=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "jxjaMZ7CD_Y2YDI0C7gy4Rc7W_mf2um8VOBJwsuJuWE3mL785Hpjvw=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", "POSIXt")), name = logical(0), value = logical(0)), row.names = integer(0), class = "data.frame"), content = charToRaw("{\"title\":\"API Header Not Found\",\"detail\":\"Every API call should pass assigned API key through custom http header or query parameter. Request is missing x-api-key.\"}"), - date = structure(1716407408, class = c("POSIXct", "POSIXt" - ), tzone = "GMT"), times = c(redirect = 0, namelookup = 0.000102, - connect = 0, pretransfer = 0.000318, starttransfer = 0.096606, - total = 0.09664)), class = "response") + date = structure(1724960140, class = c("POSIXct", "POSIXt" + ), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.3e-05, + connect = 0, pretransfer = 0.000138, starttransfer = 0.129945, + total = 0.129979)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/fate/search/by-dtxsid-cd40e5-POST.json b/tests/testthat/chemical-batch/chemical/fate/search/by-dtxsid-cd40e5-POST.json index 8a3014d..2cde861 100644 --- a/tests/testthat/chemical-batch/chemical/fate/search/by-dtxsid-cd40e5-POST.json +++ b/tests/testthat/chemical-batch/chemical/fate/search/by-dtxsid-cd40e5-POST.json @@ -3,429 +3,429 @@ "id": 266081, "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", "valueType": "predicted", + "unit": "cm3/molecule*sec", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": "cm3/molecule*sec", - "minValue": null, - "modelSource": "OPERA", "endpointName": "Atmos. Hydroxylation Rate", "resultValue": 1.63978E-11, - "maxValue": null + "maxValue": null, + "minValue": null, + "modelSource": "OPERA" }, { "id": 4428700, "description": "Model to estimate upper trophic BAF in EPI Suite.", "valueType": "predicted", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": null, - "modelSource": "EPISUITE", "endpointName": "Bioaccumulation Factor", "resultValue": 172.8, - "maxValue": null + "maxValue": null, + "minValue": null, + "modelSource": "EPISUITE" }, { "id": 290900, "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", "valueType": "predicted", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": null, - "modelSource": "OPERA", "endpointName": "Bioconcentration Factor", "resultValue": 43.6523, - "maxValue": null + "maxValue": null, + "minValue": null, + "modelSource": "OPERA" }, { "id": 3880965, "description": "placeholder", "valueType": "experimental", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": 400.0, - "modelSource": "ECOTOX: aquatic", "endpointName": "Bioconcentration Factor", "resultValue": null, - "maxValue": 500.0 + "maxValue": 500.0, + "minValue": 400.0, + "modelSource": "ECOTOX: aquatic" }, { "id": 4067725, "description": "placeholder", "valueType": "experimental", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": null, - "modelSource": "ECOTOX: aquatic", "endpointName": "Bioconcentration Factor", "resultValue": 25.0, - "maxValue": null + "maxValue": null, + "minValue": null, + "modelSource": "ECOTOX: aquatic" }, { "id": 4304846, "description": "placeholder", "valueType": "experimental", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": null, - "modelSource": "ECOTOX: aquatic", "endpointName": "Bioconcentration Factor", "resultValue": 3.6, - "maxValue": null + "maxValue": null, + "minValue": null, + "modelSource": "ECOTOX: aquatic" }, { "id": 4327120, "description": "placeholder", "valueType": "experimental", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": 100.0, - "modelSource": "ECOTOX: aquatic", "endpointName": "Bioconcentration Factor", "resultValue": null, - "maxValue": 200.0 + "maxValue": 200.0, + "minValue": 100.0, + "modelSource": "ECOTOX: aquatic" }, { "id": 367787, "description": "placeholder", "valueType": "experimental", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": 0.0, - "modelSource": "ECOTOX: aquatic", "endpointName": "Bioconcentration Factor", "resultValue": null, - "maxValue": 100.0 + "maxValue": 100.0, + "minValue": 0.0, + "modelSource": "ECOTOX: aquatic" }, { "id": 444479, "description": "placeholder", "valueType": "experimental", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": 200.0, - "modelSource": "ECOTOX: aquatic", "endpointName": "Bioconcentration Factor", "resultValue": null, - "maxValue": 300.0 + "maxValue": 300.0, + "minValue": 200.0, + "modelSource": "ECOTOX: aquatic" }, { "id": 448602, "description": "placeholder", "valueType": "experimental", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": null, - "modelSource": "ECOTOX: aquatic", "endpointName": "Bioconcentration Factor", "resultValue": 22.0, - "maxValue": null + "maxValue": null, + "minValue": null, + "modelSource": "ECOTOX: aquatic" }, { "id": 601682, "description": "placeholder", "valueType": "experimental", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": 100.0, - "modelSource": "ECOTOX: aquatic", "endpointName": "Bioconcentration Factor", "resultValue": null, - "maxValue": 150.0 + "maxValue": 150.0, + "minValue": 100.0, + "modelSource": "ECOTOX: aquatic" }, { "id": 849524, "description": "EPISUITE Estimation Programs Interface Suite™<\/a> is a Windows®-based suite of physical/chemical property and environmental fate estimation programs developed by EPA’s and Syracuse Research Corp. This prediction is from the BCF Model.", "valueType": "predicted", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": null, - "modelSource": "EPISUITE", "endpointName": "Bioconcentration Factor", "resultValue": 72.03, - "maxValue": null + "maxValue": null, + "minValue": null, + "modelSource": "EPISUITE" }, { "id": 952588, "description": "placeholder", "valueType": "experimental", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": 150.0, - "modelSource": "ECOTOX: aquatic", "endpointName": "Bioconcentration Factor", "resultValue": null, - "maxValue": 200.0 + "maxValue": 200.0, + "minValue": 150.0, + "modelSource": "ECOTOX: aquatic" }, { "id": 1009913, "description": "placeholder", "valueType": "experimental", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": null, - "modelSource": "ECOTOX: aquatic", "endpointName": "Bioconcentration Factor", "resultValue": 2.2, - "maxValue": null + "maxValue": null, + "minValue": null, + "modelSource": "ECOTOX: aquatic" }, { "id": 1070883, "description": "placeholder", "valueType": "experimental", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": null, - "modelSource": "ECOTOX: aquatic", "endpointName": "Bioconcentration Factor", "resultValue": 10.8, - "maxValue": null + "maxValue": null, + "minValue": null, + "modelSource": "ECOTOX: aquatic" }, { "id": 1121234, "description": "placeholder", "valueType": "experimental", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": 50.0, - "modelSource": "ECOTOX: aquatic", "endpointName": "Bioconcentration Factor", "resultValue": null, - "maxValue": 100.0 + "maxValue": 100.0, + "minValue": 50.0, + "modelSource": "ECOTOX: aquatic" }, { "id": 1331052, "description": "placeholder", "valueType": "experimental", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": null, - "modelSource": "ECOTOX: aquatic", "endpointName": "Bioconcentration Factor", "resultValue": 250.0, - "maxValue": null + "maxValue": null, + "minValue": null, + "modelSource": "ECOTOX: aquatic" }, { "id": 1341216, "description": "placeholder", "valueType": "experimental", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": 300.0, - "modelSource": "ECOTOX: aquatic", "endpointName": "Bioconcentration Factor", "resultValue": null, - "maxValue": 400.0 + "maxValue": 400.0, + "minValue": 300.0, + "modelSource": "ECOTOX: aquatic" }, { "id": 1930431, "description": "placeholder", "valueType": "experimental", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": 200.0, - "modelSource": "ECOTOX: aquatic", "endpointName": "Bioconcentration Factor", "resultValue": null, - "maxValue": 250.0 + "maxValue": 250.0, + "minValue": 200.0, + "modelSource": "ECOTOX: aquatic" }, { "id": 1997015, "description": "The PHYSPROP data sets are the publicly available data files underpinning the EPISuiteTM prediction models. The data were curated by NCCT using a combination of manual and automated processing routines with only the highest quality data reported.", "valueType": "experimental", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": null, - "modelSource": "PhysPropNCCT", "endpointName": "Bioconcentration Factor", "resultValue": 43.6516, - "maxValue": null + "maxValue": null, + "minValue": null, + "modelSource": "PhysPropNCCT" }, { "id": 2147922, "description": "placeholder", "valueType": "experimental", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": null, - "modelSource": "ECOTOX: aquatic", "endpointName": "Bioconcentration Factor", "resultValue": 1.7, - "maxValue": null + "maxValue": null, + "minValue": null, + "modelSource": "ECOTOX: aquatic" }, { "id": 2190086, "description": "The Toxicity Estimation Software Tool (TEST)<\/a> is an EPA software application developed to allow users to easily estimate the toxicity of chemicals using Quantitative Structure Activity Relationships (QSARs) methodologies.", "valueType": "predicted", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": null, - "modelSource": "TEST", "endpointName": "Bioconcentration Factor", "resultValue": 117.22, - "maxValue": null + "maxValue": null, + "minValue": null, + "modelSource": "TEST" }, { "id": 2228394, "description": "placeholder", "valueType": "experimental", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": null, - "modelSource": "ECOTOX: aquatic", "endpointName": "Bioconcentration Factor", "resultValue": 150.0, - "maxValue": null + "maxValue": null, + "minValue": null, + "modelSource": "ECOTOX: aquatic" }, { "id": 2264316, "description": "placeholder", "valueType": "experimental", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": 250.0, - "modelSource": "ECOTOX: aquatic", "endpointName": "Bioconcentration Factor", "resultValue": null, - "maxValue": 300.0 + "maxValue": 300.0, + "minValue": 250.0, + "modelSource": "ECOTOX: aquatic" }, { "id": 2352142, "description": "placeholder", "valueType": "experimental", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": null, - "modelSource": "ECOTOX: aquatic", "endpointName": "Bioconcentration Factor", "resultValue": 38.4, - "maxValue": null + "maxValue": null, + "minValue": null, + "modelSource": "ECOTOX: aquatic" }, { "id": 2432379, "description": "EPISUITE Estimation Programs Interface Suite™<\/a> is a Windows®-based suite of physical/chemical property and environmental fate estimation programs developed by EPA’s and Syracuse Research Corp. This prediction is from the Upper Trophic BCF Model.", "valueType": "predicted", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": null, - "modelSource": "EPISUITE", "endpointName": "Bioconcentration Factor", "resultValue": 172.7, - "maxValue": null + "maxValue": null, + "minValue": null, + "modelSource": "EPISUITE" }, { "id": 2470101, "description": "placeholder", "valueType": "experimental", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": null, - "modelSource": "ECOTOX: aquatic", "endpointName": "Bioconcentration Factor", "resultValue": 100.0, - "maxValue": null + "maxValue": null, + "minValue": null, + "modelSource": "ECOTOX: aquatic" }, { "id": 3840174, "description": "placeholder", "valueType": "experimental", + "unit": null, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": null, - "minValue": null, - "modelSource": "ECOTOX: aquatic", "endpointName": "Bioconcentration Factor", "resultValue": 8.7, - "maxValue": null + "maxValue": null, + "minValue": null, + "modelSource": "ECOTOX: aquatic" }, { "id": 382690, "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", "valueType": "predicted", + "unit": "days", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": "days", - "minValue": null, - "modelSource": "OPERA", "endpointName": "Biodeg. Half-Life", "resultValue": 15.145, - "maxValue": null + "maxValue": null, + "minValue": null, + "modelSource": "OPERA" }, { "id": 2433897, "description": "The PHYSPROP data sets are the publicly available data files underpinning the EPISuiteTM prediction models. The data were curated by NCCT using a combination of manual and automated processing routines with only the highest quality data reported.", "valueType": "experimental", + "unit": "days", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": "days", - "minValue": null, - "modelSource": "PhysPropNCCT", "endpointName": "Fish Biotrans. Half-Life (Km)", "resultValue": 1.86209, - "maxValue": null + "maxValue": null, + "minValue": null, + "modelSource": "PhysPropNCCT" }, { "id": 1116028, "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", "valueType": "predicted", + "unit": "days", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": "days", - "minValue": null, - "modelSource": "OPERA", "endpointName": "Fish Biotrans. Half-Life (Km)", "resultValue": 1.85933, - "maxValue": null + "maxValue": null, + "minValue": null, + "modelSource": "OPERA" }, { "id": 2474731, "description": "Model to estimate log Koc in EPI Suite.", "valueType": "predicted", + "unit": "L/kg", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": "L/kg", - "minValue": null, - "modelSource": "EPISUITE", "endpointName": "Soil Adsorp. Coeff. (Koc)", "resultValue": 1244.51, - "maxValue": null + "maxValue": null, + "minValue": null, + "modelSource": "EPISUITE" }, { "id": 671529, "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", "valueType": "predicted", + "unit": "L/kg", "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", - "unit": "L/kg", - "minValue": null, - "modelSource": "OPERA", "endpointName": "Soil Adsorp. Coeff. (Koc)", "resultValue": 1436.23, - "maxValue": null + "maxValue": null, + "minValue": null, + "modelSource": "OPERA" } ] diff --git a/tests/testthat/chemical-batch/chemical/file/image/search/by-dtxcid/DTXCID30182-ac797a.R b/tests/testthat/chemical-batch/chemical/file/image/search/by-dtxcid/DTXCID30182-ac797a.R index 8719893..935f3ee 100644 --- a/tests/testthat/chemical-batch/chemical/file/image/search/by-dtxcid/DTXCID30182-ac797a.R +++ b/tests/testthat/chemical-batch/chemical/file/image/search/by-dtxcid/DTXCID30182-ac797a.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/file/image/search/by-dtxcid/DTXCID30182?Image+Format=png", status_code = 200L, headers = structure(list(`content-type` = "image/png", `content-length` = "22764", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:19 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:59 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "a19de449-62a4-4c89-7f05-4d933ab2f005", + `x-vcap-request-id` = "7fef5f2e-4b7f-4965-7b08-218534903e1a", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Miss from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "uJyTqY-HdBvkYr9R0S6PAm_SB8xNvfM7EuN4m-u26zY2a4kYwpoJag=="), class = c("insensitive", + `x-cache` = "Miss from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "u5zOKQxoio925quN4ZIMzNs7_O3l2f0okuXIJOnymAJI-8KlSPoCHg=="), class = c("insensitive", "list")), all_headers = list(list(status = 200L, version = "HTTP/1.1", headers = structure(list(`content-type` = "image/png", `content-length` = "22764", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:19 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:59 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "a19de449-62a4-4c89-7f05-4d933ab2f005", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "7fef5f2e-4b7f-4965-7b08-218534903e1a", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Miss from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "uJyTqY-HdBvkYr9R0S6PAm_SB8xNvfM7EuN4m-u26zY2a4kYwpoJag=="), class = c("insensitive", + `x-cache` = "Miss from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "u5zOKQxoio925quN4ZIMzNs7_O3l2f0okuXIJOnymAJI-8KlSPoCHg=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -2296,7 +2296,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/file/image/search/by-dtx 0x00, 0x08, 0x19, 0x01, 0x0b, 0x00, 0x00, 0x20, 0x64, 0x04, 0x2c, 0x00, 0x00, 0x80, 0x90, 0xfd, 0x3f, 0xca, 0x71, 0x75, 0x8f, 0x81, 0x96, 0xf0, 0x66, 0x00, 0x00, 0x00, 0x00, 0x49, - 0x45, 0x4e, 0x44, 0xae, 0x42, 0x60, 0x82)), date = structure(1716407419, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.1e-05, - connect = 0, pretransfer = 0.000185, starttransfer = 0.10707, - total = 0.107133)), class = "response") + 0x45, 0x4e, 0x44, 0xae, 0x42, 0x60, 0x82)), date = structure(1724960159, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4e-05, + connect = 0, pretransfer = 0.000127, starttransfer = 0.14888, + total = 0.14945)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/file/image/search/by-dtxsid-85b7e8.R b/tests/testthat/chemical-batch/chemical/file/image/search/by-dtxsid-85b7e8.R index 70e3a31..1f65f7b 100644 --- a/tests/testthat/chemical-batch/chemical/file/image/search/by-dtxsid-85b7e8.R +++ b/tests/testthat/chemical-batch/chemical/file/image/search/by-dtxsid-85b7e8.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/file/image/search/by-dtxsid/?Image+Format=svg", status_code = 404L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:19 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:59 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "7223a267-5eea-46d8-7a0d-c7017f6cc9d0", + `x-vcap-request-id` = "f3c93f20-c1e3-4791-7655-59ea1ecc44d2", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "YSYAPS984kc0_OGZH0KWVl21fFTJBFI0tivgAzEZXVQXC0ZVGRlcWg=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "duKZzMRQkl5MYMhB-n3GdRgGI-xzAOUcce9H8yB-uIJZYFlsqkmYrg=="), class = c("insensitive", "list")), all_headers = list(list(status = 404L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:19 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:59 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "7223a267-5eea-46d8-7a0d-c7017f6cc9d0", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "f3c93f20-c1e3-4791-7655-59ea1ecc44d2", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "YSYAPS984kc0_OGZH0KWVl21fFTJBFI0tivgAzEZXVQXC0ZVGRlcWg=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "duKZzMRQkl5MYMhB-n3GdRgGI-xzAOUcce9H8yB-uIJZYFlsqkmYrg=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -40,7 +40,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/file/image/search/by-dtx 0x61, 0x6c, 0x2f, 0x66, 0x69, 0x6c, 0x65, 0x2f, 0x69, 0x6d, 0x61, 0x67, 0x65, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, 0x64, 0x74, 0x78, 0x73, 0x69, 0x64, - 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1716407419, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 5.2e-05, - connect = 0, pretransfer = 0.000231, starttransfer = 0.297844, - total = 0.297885)), class = "response") + 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1724960159, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.4e-05, + connect = 0, pretransfer = 0.000138, starttransfer = 0.129892, + total = 0.129921)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/file/image/search/by-dtxsid/DTXSID7020182.R b/tests/testthat/chemical-batch/chemical/file/image/search/by-dtxsid/DTXSID7020182.R index b4b69a9..225c1af 100644 --- a/tests/testthat/chemical-batch/chemical/file/image/search/by-dtxsid/DTXSID7020182.R +++ b/tests/testthat/chemical-batch/chemical/file/image/search/by-dtxsid/DTXSID7020182.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/file/image/search/by-dtxsid/DTXSID7020182", status_code = 200L, headers = structure(list(`content-type` = "image/png", `content-length` = "22764", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:19 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:59 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "928a75ad-884e-49a5-6b81-b6c2e95091e4", + `x-vcap-request-id` = "aee5c32a-6e4f-4751-7285-2af9d9a79a3c", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Miss from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "1gfO7NuLfUwdBrBZJsTkAS563rfb_PjEoStAjSb7aB3AkkzntBLuIQ=="), class = c("insensitive", + `x-cache` = "Miss from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "6VW9zuTnn4jQ9wv6uQCc4G-V_7KUygsZAgrxr0WfAai3r82Jbj0RXA=="), class = c("insensitive", "list")), all_headers = list(list(status = 200L, version = "HTTP/1.1", headers = structure(list(`content-type` = "image/png", `content-length` = "22764", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:19 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:59 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "928a75ad-884e-49a5-6b81-b6c2e95091e4", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "aee5c32a-6e4f-4751-7285-2af9d9a79a3c", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Miss from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "1gfO7NuLfUwdBrBZJsTkAS563rfb_PjEoStAjSb7aB3AkkzntBLuIQ=="), class = c("insensitive", + `x-cache` = "Miss from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "6VW9zuTnn4jQ9wv6uQCc4G-V_7KUygsZAgrxr0WfAai3r82Jbj0RXA=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -2296,7 +2296,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/file/image/search/by-dtx 0x00, 0x08, 0x19, 0x01, 0x0b, 0x00, 0x00, 0x20, 0x64, 0x04, 0x2c, 0x00, 0x00, 0x80, 0x90, 0xfd, 0x3f, 0xca, 0x71, 0x75, 0x8f, 0x81, 0x96, 0xf0, 0x66, 0x00, 0x00, 0x00, 0x00, 0x49, - 0x45, 0x4e, 0x44, 0xae, 0x42, 0x60, 0x82)), date = structure(1716407419, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.8e-05, - connect = 0, pretransfer = 0.000152, starttransfer = 0.100399, - total = 0.100438)), class = "response") + 0x45, 0x4e, 0x44, 0xae, 0x42, 0x60, 0x82)), date = structure(1724960159, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.4e-05, + connect = 0, pretransfer = 0.00013, starttransfer = 0.137191, + total = 0.137573)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/file/mrv/search/by-dtxsid.R b/tests/testthat/chemical-batch/chemical/file/mrv/search/by-dtxsid.R index c4c2c49..b4f0260 100644 --- a/tests/testthat/chemical-batch/chemical/file/mrv/search/by-dtxsid.R +++ b/tests/testthat/chemical-batch/chemical/file/mrv/search/by-dtxsid.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/file/mrv/search/by-dtxsid/", status_code = 404L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:18 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:57 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "38a55916-3a32-4a24-51b5-0d70bf58408f", + `x-vcap-request-id` = "8d4ead61-1fdf-4730-4804-6db5f67e34e1", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "fL7-EsQNEsMNhr1ql_kGn0BmrilbtPyMLuAA1F9EDQqrtytjIqjqPQ=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "FbRjHQOwMQJpgc2Pt-D6v7ylBkUD6WaULGnQPccEgr0pvj4AyOrXfw=="), class = c("insensitive", "list")), all_headers = list(list(status = 404L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:18 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:57 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "38a55916-3a32-4a24-51b5-0d70bf58408f", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "8d4ead61-1fdf-4730-4804-6db5f67e34e1", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "fL7-EsQNEsMNhr1ql_kGn0BmrilbtPyMLuAA1F9EDQqrtytjIqjqPQ=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "FbRjHQOwMQJpgc2Pt-D6v7ylBkUD6WaULGnQPccEgr0pvj4AyOrXfw=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -40,7 +40,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/file/mrv/search/by-dtxsi 0x2f, 0x66, 0x69, 0x6c, 0x65, 0x2f, 0x6d, 0x72, 0x76, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, 0x64, 0x74, 0x78, 0x73, 0x69, 0x64, 0x2f, 0x22, 0x0a, 0x7d - )), date = structure(1716407418, class = c("POSIXct", "POSIXt" + )), date = structure(1724960157, class = c("POSIXct", "POSIXt" ), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.2e-05, - connect = 0, pretransfer = 0.000164, starttransfer = 0.106805, - total = 0.106841)), class = "response") + connect = 0, pretransfer = 0.000123, starttransfer = 0.253829, + total = 0.253858)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/list/search/by-dtxsid.R b/tests/testthat/chemical-batch/chemical/list/search/by-dtxsid.R index faeb15e..293ca6f 100644 --- a/tests/testthat/chemical-batch/chemical/list/search/by-dtxsid.R +++ b/tests/testthat/chemical-batch/chemical/list/search/by-dtxsid.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/list/search/by-dtxsid/", status_code = 404L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:17 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:56 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "5100d140-b501-4439-7264-61e805e1a4e1", + `x-vcap-request-id` = "c522d822-0701-48da-70d2-e002e5ce8d89", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "9r-xd_EfoW8RQCsnJSosRJLiCeK1Y9y6Acyf6MOINiRy-hqW3YZNrw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "eaaevmqHbEp8_hOnsxGTirgr6vW3lMoQDAPJCX0Y6kz-crkTMGI6_w=="), class = c("insensitive", "list")), all_headers = list(list(status = 404L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:17 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:56 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "5100d140-b501-4439-7264-61e805e1a4e1", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "c522d822-0701-48da-70d2-e002e5ce8d89", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "9r-xd_EfoW8RQCsnJSosRJLiCeK1Y9y6Acyf6MOINiRy-hqW3YZNrw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "eaaevmqHbEp8_hOnsxGTirgr6vW3lMoQDAPJCX0Y6kz-crkTMGI6_w=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -39,7 +39,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/list/search/by-dtxsid/", 0x65, 0x6d, 0x69, 0x63, 0x61, 0x6c, 0x2f, 0x6c, 0x69, 0x73, 0x74, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, 0x64, 0x74, 0x78, 0x73, 0x69, 0x64, 0x2f, 0x22, - 0x0a, 0x7d)), date = structure(1716407417, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.2e-05, - connect = 0, pretransfer = 0.000176, starttransfer = 0.303013, - total = 0.303065)), class = "response") + 0x0a, 0x7d)), date = structure(1724960156, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4e-05, + connect = 0, pretransfer = 0.000125, starttransfer = 0.258834, + total = 0.258873)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/list/search/by-dtxsid/DTXSID7020182.R b/tests/testthat/chemical-batch/chemical/list/search/by-dtxsid/DTXSID7020182.R index 8e92603..d136150 100644 --- a/tests/testthat/chemical-batch/chemical/list/search/by-dtxsid/DTXSID7020182.R +++ b/tests/testthat/chemical-batch/chemical/list/search/by-dtxsid/DTXSID7020182.R @@ -1,25 +1,25 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/list/search/by-dtxsid/DTXSID7020182", status_code = 401L, headers = structure(list(`content-type` = "application/json;charset=ISO-8859-1", `content-length` = "164", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:17 GMT", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "bb789df9-6ff0-40d2-44db-795d422822ed", + date = "Thu, 29 Aug 2024 19:35:56 GMT", `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "b9931bb2-7a0a-4ff1-413e-5e146b905a18", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "MvWZ0EEU2v9V-BdVDvIWB9x6RHuDdd_zWEOXIHu8u1mp3kqS483USw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "yQQ1PV38yNynkJ2OUJWGQZCfpZ0zL2FuF7wr5zcep4qVKRDodrIYDQ=="), class = c("insensitive", "list")), all_headers = list(list(status = 401L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/json;charset=ISO-8859-1", `content-length` = "164", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:17 GMT", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "bb789df9-6ff0-40d2-44db-795d422822ed", + date = "Thu, 29 Aug 2024 19:35:56 GMT", `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "b9931bb2-7a0a-4ff1-413e-5e146b905a18", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "MvWZ0EEU2v9V-BdVDvIWB9x6RHuDdd_zWEOXIHu8u1mp3kqS483USw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "yQQ1PV38yNynkJ2OUJWGQZCfpZ0zL2FuF7wr5zcep4qVKRDodrIYDQ=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", "POSIXt")), name = logical(0), value = logical(0)), row.names = integer(0), class = "data.frame"), content = charToRaw("{\"title\":\"API Header Not Found\",\"detail\":\"Every API call should pass assigned API key through custom http header or query parameter. Request is missing x-api-key.\"}"), - date = structure(1716407417, class = c("POSIXct", "POSIXt" - ), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.4e-05, - connect = 0, pretransfer = 0.000175, starttransfer = 0.097973, - total = 0.098018)), class = "response") + date = structure(1724960156, class = c("POSIXct", "POSIXt" + ), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.9e-05, + connect = 0, pretransfer = 0.000106, starttransfer = 0.123758, + total = 0.123783)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/list/search/by-dtxsid/DTXSID7020182.json b/tests/testthat/chemical-batch/chemical/list/search/by-dtxsid/DTXSID7020182.json index 4de432e..773a2e4 100644 --- a/tests/testthat/chemical-batch/chemical/list/search/by-dtxsid/DTXSID7020182.json +++ b/tests/testthat/chemical-batch/chemical/list/search/by-dtxsid/DTXSID7020182.json @@ -956,6 +956,17 @@ "2019-11-16T18:14:28.000+00:00", "2019-11-16T18:36:25.000+00:00" ], + [ + "ELSIEV2", + "EXTRACTABLES: Extractables & Leachables Safety Information Exchange (ELSIE)", + "other", + "PUBLIC", + "ELSIE: Extractables and Leachables Safety Information Exchange", + "The Extractables and Leachables Safety Information Exchange (ELSIE: https://www.elsiedata.org/) was established by scientists in pharmaceuticals companies to advance the concept of sharing pre-competitive safety information on extractables and leachables, among industry. The vision was that such a collaborative effort would reduce duplicative safety studies across companies, streamline development projects, and allow industry and other stakeholders to share experiences and information to help advance the practice and science of extractables, leachables and materials evaluation. (Updated June 23rd 2024)", + 502, + "2022-08-19T15:54:22.000+00:00", + "2024-06-23T21:53:48.000+00:00" + ], [ "EPACONS", "EPA: Consumer Products Suspect Screening Result", @@ -1748,6 +1759,28 @@ "2024-03-03T21:28:26.000+00:00", "2024-03-03T21:36:19.000+00:00" ], + [ + "WIKIPEDIA_OLD02032023", + "LIST: Wikipedia Chemicals", + "other", + "PUBLIC", + "Wikipedia includes data for thousands of chemicals. ChemBoxes and DrugBoxes includes data such as CAS Registry Numbers, SMILES and InChIs. ", + "Wikipedia includes data for thousands of chemicals. ChemBoxes and DrugBoxes includes data such as CAS Registry Numbers, SMILES and InChIs. This list is an assembly from various Wikipedia pages and is a list under ongoing curation and expansion (last updated 12/11/2023).", + 21678, + "2016-06-17T13:01:58.000+00:00", + "2024-02-23T14:44:00.000+00:00" + ], + [ + "WIKIPEDIA_OLD0223_2024", + "LIST: Wikipedia Chemicals", + "other", + "PUBLIC", + "Wikipedia includes data for thousands of chemicals. ChemBoxes and DrugBoxes includes data such as CAS Registry Numbers, SMILES and InChIs. ", + "Wikipedia includes data for thousands of chemicals. ChemBoxes and DrugBoxes includes data such as CAS Registry Numbers, SMILES and InChIs. This list is an assembly from various Wikipedia pages and is a list under ongoing curation and expansion (last updated 03/23/2024).", + 21628, + "2024-02-23T14:44:52.000+00:00", + "2024-03-03T21:27:15.000+00:00" + ], [ "CALCSCP", "California Safe Cosmetics Program (CSCP) Product Database", diff --git a/tests/testthat/chemical-batch/chemical/list/search/by-name-8b6df7.R b/tests/testthat/chemical-batch/chemical/list/search/by-name-8b6df7.R index 6030c95..3a2e973 100644 --- a/tests/testthat/chemical-batch/chemical/list/search/by-name-8b6df7.R +++ b/tests/testthat/chemical-batch/chemical/list/search/by-name-8b6df7.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/list/search/by-name/?projection=chemicallistwithdtxsids", status_code = 404L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:17 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:56 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "d350e125-807c-4760-660d-d57244c3c217", + `x-vcap-request-id` = "e76f5054-f803-4a00-590e-b9aa0998e1af", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "fJ38SqQVebTy2_uDsswSXQSKdvF2v2EGMCH2w1ahBH7BA-VJyQ1Vcw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "mazn5xOWA8cEtCGP8gZV6M18lYDRoeSjqE_UgrzeM9s0J2MG3z9Rtw=="), class = c("insensitive", "list")), all_headers = list(list(status = 404L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:17 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:56 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "d350e125-807c-4760-660d-d57244c3c217", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "e76f5054-f803-4a00-590e-b9aa0998e1af", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "fJ38SqQVebTy2_uDsswSXQSKdvF2v2EGMCH2w1ahBH7BA-VJyQ1Vcw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "mazn5xOWA8cEtCGP8gZV6M18lYDRoeSjqE_UgrzeM9s0J2MG3z9Rtw=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -38,7 +38,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/list/search/by-name/?pro 0x22, 0x20, 0x3a, 0x20, 0x22, 0x2f, 0x63, 0x68, 0x65, 0x6d, 0x69, 0x63, 0x61, 0x6c, 0x2f, 0x6c, 0x69, 0x73, 0x74, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, - 0x6e, 0x61, 0x6d, 0x65, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1716407417, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.7e-05, - connect = 0, pretransfer = 0.000143, starttransfer = 0.298099, - total = 0.298134)), class = "response") + 0x6e, 0x61, 0x6d, 0x65, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1724960156, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.5e-05, + connect = 0, pretransfer = 0.000144, starttransfer = 0.250708, + total = 0.250738)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/list/search/by-name.R b/tests/testthat/chemical-batch/chemical/list/search/by-name.R index 393059f..c29733e 100644 --- a/tests/testthat/chemical-batch/chemical/list/search/by-name.R +++ b/tests/testthat/chemical-batch/chemical/list/search/by-name.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/list/search/by-name/", status_code = 404L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:16 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:55 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "0877b5c5-5613-4878-4a1b-5e645ca9b3a6", + `x-vcap-request-id` = "b8a8884f-05a3-4205-64bd-66431f742678", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "A-EY14_mfNOKm-ql-U51ousHnJclv-QF0gaGICSSWM53tqplkb0IYA=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "eUPbk5_XbSvL_rzfvWUfQzaaSyUiMuGAoZ1Cy8L6z7kByG_A2GPV7A=="), class = c("insensitive", "list")), all_headers = list(list(status = 404L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:16 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:55 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "0877b5c5-5613-4878-4a1b-5e645ca9b3a6", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "b8a8884f-05a3-4205-64bd-66431f742678", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "A-EY14_mfNOKm-ql-U51ousHnJclv-QF0gaGICSSWM53tqplkb0IYA=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "eUPbk5_XbSvL_rzfvWUfQzaaSyUiMuGAoZ1Cy8L6z7kByG_A2GPV7A=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -38,7 +38,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/list/search/by-name/", 0x22, 0x20, 0x3a, 0x20, 0x22, 0x2f, 0x63, 0x68, 0x65, 0x6d, 0x69, 0x63, 0x61, 0x6c, 0x2f, 0x6c, 0x69, 0x73, 0x74, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, - 0x6e, 0x61, 0x6d, 0x65, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1716407416, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.4e-05, - connect = 0, pretransfer = 0.000155, starttransfer = 0.332077, - total = 0.332106)), class = "response") + 0x6e, 0x61, 0x6d, 0x65, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1724960155, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.5e-05, + connect = 0, pretransfer = 1e-04, starttransfer = 0.131871, + total = 0.131908)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/list/search/by-name/BIOSOLDIS2021-8b6df7.R b/tests/testthat/chemical-batch/chemical/list/search/by-name/BIOSOLDIS2021-8b6df7.R index 3c84f3d..2f25b13 100644 --- a/tests/testthat/chemical-batch/chemical/list/search/by-name/BIOSOLDIS2021-8b6df7.R +++ b/tests/testthat/chemical-batch/chemical/list/search/by-name/BIOSOLDIS2021-8b6df7.R @@ -1,24 +1,25 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/list/search/by-name/BIOSOLDIS2021?projection=chemicallistwithdtxsids", status_code = 400L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:17 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:56 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "bc670d68-6bf7-474b-4157-7cb9bc0f256f", + `x-vcap-request-id` = "7c4ed5bf-81b4-490f-649f-15ee37a2aa85", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "3LMlKw3ahWxRTFIKbEnKlmEXp8ybpDFrZRkHcl-zLc0a6qobjRyCDA=="), class = c("insensitive", - "list")), all_headers = list(list(status = 400L, version = "HTTP/1.1", - headers = structure(list(`content-type` = "application/problem+json", - `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:17 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "Li7VOz3HDDxacQ-buU6ix3tqzUF2lbdBDm5VGU3C-ukpzvvtJTXxIw==", + age = "1"), class = c("insensitive", "list")), all_headers = list( + list(status = 400L, version = "HTTP/1.1", headers = structure(list( + `content-type` = "application/problem+json", `transfer-encoding` = "chunked", + connection = "keep-alive", date = "Thu, 29 Aug 2024 19:35:56 GMT", + `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "bc670d68-6bf7-474b-4157-7cb9bc0f256f", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "7c4ed5bf-81b4-490f-649f-15ee37a2aa85", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "3LMlKw3ahWxRTFIKbEnKlmEXp8ybpDFrZRkHcl-zLc0a6qobjRyCDA=="), class = c("insensitive", - "list")))), cookies = structure(list(domain = logical(0), - flag = logical(0), path = logical(0), secure = logical(0), - expiration = structure(numeric(0), class = c("POSIXct", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "Li7VOz3HDDxacQ-buU6ix3tqzUF2lbdBDm5VGU3C-ukpzvvtJTXxIw==", + age = "1"), class = c("insensitive", "list")))), + cookies = structure(list(domain = logical(0), flag = logical(0), + path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", "POSIXt")), name = logical(0), value = logical(0)), row.names = integer(0), class = "data.frame"), content = as.raw(c(0x7b, 0x0a, 0x20, 0x20, 0x22, 0x74, 0x79, 0x70, 0x65, 0x22, 0x20, 0x3a, 0x20, 0x22, 0x61, 0x62, 0x6f, @@ -40,7 +41,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/list/search/by-name/BIOS 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, 0x6e, 0x61, 0x6d, 0x65, 0x2f, 0x42, 0x49, 0x4f, 0x53, 0x4f, 0x4c, 0x44, 0x49, 0x53, 0x32, 0x30, 0x32, 0x31, 0x22, 0x0a, 0x7d - )), date = structure(1716407417, class = c("POSIXct", "POSIXt" - ), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.9e-05, - connect = 0, pretransfer = 0.000172, starttransfer = 0.015304, - total = 0.015336)), class = "response") + )), date = structure(1724960156, class = c("POSIXct", "POSIXt" + ), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.2e-05, + connect = 0, pretransfer = 0.000132, starttransfer = 0.052215, + total = 0.053646)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/list/search/by-name/BIOSOLIDS2021.R b/tests/testthat/chemical-batch/chemical/list/search/by-name/BIOSOLIDS2021.R index 73bed92..8642113 100644 --- a/tests/testthat/chemical-batch/chemical/list/search/by-name/BIOSOLIDS2021.R +++ b/tests/testthat/chemical-batch/chemical/list/search/by-name/BIOSOLIDS2021.R @@ -1,25 +1,25 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/list/search/by-name/BIOSOLIDS2021", status_code = 401L, headers = structure(list(`content-type` = "application/json;charset=ISO-8859-1", `content-length` = "164", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:16 GMT", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "d13b4496-965b-45a5-7e26-11cf53a12a48", + date = "Thu, 29 Aug 2024 19:35:55 GMT", `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "7117be36-f524-42eb-639d-0af6d2d4fd3c", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "Qr2tBvHv6sYy2_xtBRdFpHR0w2C0cuoSRkUkWzwSWbA1zRA_JqcLzQ=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "d35xACl2oB-OILIEAy4c4uDdyyawiZxUfbO4LS3ZcnXlu4RRlhDd5w=="), class = c("insensitive", "list")), all_headers = list(list(status = 401L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/json;charset=ISO-8859-1", `content-length` = "164", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:16 GMT", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "d13b4496-965b-45a5-7e26-11cf53a12a48", + date = "Thu, 29 Aug 2024 19:35:55 GMT", `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "7117be36-f524-42eb-639d-0af6d2d4fd3c", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "Qr2tBvHv6sYy2_xtBRdFpHR0w2C0cuoSRkUkWzwSWbA1zRA_JqcLzQ=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "d35xACl2oB-OILIEAy4c4uDdyyawiZxUfbO4LS3ZcnXlu4RRlhDd5w=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", "POSIXt")), name = logical(0), value = logical(0)), row.names = integer(0), class = "data.frame"), content = charToRaw("{\"title\":\"API Header Not Found\",\"detail\":\"Every API call should pass assigned API key through custom http header or query parameter. Request is missing x-api-key.\"}"), - date = structure(1716407416, class = c("POSIXct", "POSIXt" - ), tzone = "GMT"), times = c(redirect = 0, namelookup = 5.2e-05, - connect = 0, pretransfer = 0.000208, starttransfer = 0.101171, - total = 0.101204)), class = "response") + date = structure(1724960155, class = c("POSIXct", "POSIXt" + ), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.3e-05, + connect = 0, pretransfer = 0.000136, starttransfer = 0.121675, + total = 0.121725)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/list/search/by-name/BIOSOLIDS2021.json b/tests/testthat/chemical-batch/chemical/list/search/by-name/BIOSOLIDS2021.json index f4514b0..73bb249 100644 --- a/tests/testthat/chemical-batch/chemical/list/search/by-name/BIOSOLIDS2021.json +++ b/tests/testthat/chemical-batch/chemical/list/search/by-name/BIOSOLIDS2021.json @@ -1,12 +1,12 @@ { "id": 1327, "type": "federal", - "label": "LIST: Chemicals in biosolids (2021)", "visibility": "PUBLIC", + "label": "LIST: Chemicals in biosolids (2021)", "longDescription": "Biosolids are a product of the wastewater treatment process. During wastewater treatment the liquids are separated from the solids. Those solids are then treated physically and chemically to produce a semisolid, nutrient-rich product known as biosolids. The terms ‘biosolids’ and ‘sewage sludge’ are often used interchangeably. Section 405(d) of the Clean Water Act (CWA)<\/a> \r\n requires the United States Environmental Protection Agency (EPA) to (1) develop a regulation to establish pollutant limits and management practices to protect human health and the environment from any reasonably anticipated adverse effects of pollutants that might be present in sewage sludge; and (2) review sewage sludge regulations every two years to identify any additional pollutants that may occur in biosolids and to set regulations for pollutants identified in biosolids if sufficient scientific evidence shows they may harm human health or the environment. The regulation 40 CFR Part 503, Standards for the Use or Disposal of Sewage Sludge<\/a> \r\n, was published on February 19, 1993 (58 FR 9248). Part 503 established pollutants limits for ten metals. Since 1993, EPA has conducted eight biennial reviews<\/a> \r\n and three national sewage sludge surveys<\/a> \r\n to review additional pollutants found in biosolids and assess possible exposure from those chemicals. To date, 726 chemicals have been found in biosolids. You can learn more about the curation of the list of chemical pollutants here: https://www.nature.com/articles/s41597-022-01267-9<\/a>. Concentration data is also available for 484 chemical pollutants detected in the three national sewage sludge surveys here: Supplementary Information Table 4 (https://www.nature.com/articles/s41597-022-01267-9#Sec11)<\/a>. To view all the microbial pollutants found in biosolids see Table B-1, Chemical and Microbial Pollutants Identified in Biosolids in Biennial Review No. 8<\/a>. (Last Updated November 9th 2021)\r\n", + "listName": "BIOSOLIDS2021", "chemicalCount": 726, "createdAt": "2021-11-09T16:57:37Z", "updatedAt": "2022-10-05T22:30:53Z", - "listName": "BIOSOLIDS2021", "shortDescription": "Chemicals detected in biosolids (nutrient-rich organic materials produced from wastewater treatment facilities) (Last Updated November 9th 2021)" } diff --git a/tests/testthat/chemical-batch/chemical/list/search/by-name/DTXSID7020182-8b6df7.R b/tests/testthat/chemical-batch/chemical/list/search/by-name/DTXSID7020182-8b6df7.R index a9d783c..e17abff 100644 --- a/tests/testthat/chemical-batch/chemical/list/search/by-name/DTXSID7020182-8b6df7.R +++ b/tests/testthat/chemical-batch/chemical/list/search/by-name/DTXSID7020182-8b6df7.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/list/search/by-name/DTXSID7020182?projection=chemicallistwithdtxsids", status_code = 400L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:03 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:34 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "8754ea95-45b4-48fe-587c-015701e8e786", + `x-vcap-request-id` = "ed54332b-e1e1-47bd-5633-c5d644af0fad", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "ViXycxK3UguGgBCyNVRj2KU04rPc89lmpG-SEXAk5kn-x3C2uNdIyA=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "BsW4qeoofuRQlVlYphA7p49Tl9Ug0eoItjbgS5XkfYXCcLGBLVklOQ=="), class = c("insensitive", "list")), all_headers = list(list(status = 400L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:03 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:34 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "8754ea95-45b4-48fe-587c-015701e8e786", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "ed54332b-e1e1-47bd-5633-c5d644af0fad", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "ViXycxK3UguGgBCyNVRj2KU04rPc89lmpG-SEXAk5kn-x3C2uNdIyA=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "BsW4qeoofuRQlVlYphA7p49Tl9Ug0eoItjbgS5XkfYXCcLGBLVklOQ=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -40,7 +40,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/list/search/by-name/DTXS 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, 0x6e, 0x61, 0x6d, 0x65, 0x2f, 0x44, 0x54, 0x58, 0x53, 0x49, 0x44, 0x37, 0x30, 0x32, 0x30, 0x31, 0x38, 0x32, 0x22, 0x0a, 0x7d - )), date = structure(1716407403, class = c("POSIXct", "POSIXt" - ), tzone = "GMT"), times = c(redirect = 0, namelookup = 6.9e-05, - connect = 0, pretransfer = 0.000218, starttransfer = 0.015089, - total = 0.015134)), class = "response") + )), date = structure(1724960134, class = c("POSIXct", "POSIXt" + ), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.2e-05, + connect = 0, pretransfer = 1e-04, starttransfer = 0.050387, + total = 0.050554)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/list/search/by-type.R b/tests/testthat/chemical-batch/chemical/list/search/by-type.R index 93d3a48..e9fa8fb 100644 --- a/tests/testthat/chemical-batch/chemical/list/search/by-type.R +++ b/tests/testthat/chemical-batch/chemical/list/search/by-type.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/list/search/by-type/", status_code = 404L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:16 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:54 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "f0cd4965-b92d-413e-4692-7382ee08353e", + `x-vcap-request-id` = "4a6ad48e-0dcd-4211-4de4-971aea02a26e", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "0B8ZsGy5C9on4fjsrfhcyKtAvItAiD8B4VTBPXyjUI4FHpHCJmSnxw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "W-M06F4GgBMKyBO8PR89u2sKHp3Y9shBF0pUJEEcU6c8cUpz95rdIQ=="), class = c("insensitive", "list")), all_headers = list(list(status = 404L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:16 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:54 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "f0cd4965-b92d-413e-4692-7382ee08353e", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "4a6ad48e-0dcd-4211-4de4-971aea02a26e", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "0B8ZsGy5C9on4fjsrfhcyKtAvItAiD8B4VTBPXyjUI4FHpHCJmSnxw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "W-M06F4GgBMKyBO8PR89u2sKHp3Y9shBF0pUJEEcU6c8cUpz95rdIQ=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -38,7 +38,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/list/search/by-type/", 0x22, 0x20, 0x3a, 0x20, 0x22, 0x2f, 0x63, 0x68, 0x65, 0x6d, 0x69, 0x63, 0x61, 0x6c, 0x2f, 0x6c, 0x69, 0x73, 0x74, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, - 0x74, 0x79, 0x70, 0x65, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1716407416, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.9e-05, - connect = 0, pretransfer = 0.000177, starttransfer = 0.317067, - total = 0.317094)), class = "response") + 0x74, 0x79, 0x70, 0x65, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1724960154, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.1e-05, + connect = 0, pretransfer = 0.000108, starttransfer = 0.259697, + total = 0.259754)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/list/search/by-type/federal.R b/tests/testthat/chemical-batch/chemical/list/search/by-type/federal.R index c3a252b..0b127a8 100644 --- a/tests/testthat/chemical-batch/chemical/list/search/by-type/federal.R +++ b/tests/testthat/chemical-batch/chemical/list/search/by-type/federal.R @@ -1,25 +1,25 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/list/search/by-type/federal", status_code = 401L, headers = structure(list(`content-type` = "application/json;charset=ISO-8859-1", `content-length` = "164", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:16 GMT", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "148acdb8-7921-486c-6920-b0bdc1cadda4", + date = "Thu, 29 Aug 2024 19:35:55 GMT", `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "550962a6-0bf9-49b6-7479-cc18677161b9", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "HD-KEwqP1uKNAJ5meE9jotGBWn5tE8SkwGmXqA5M6rzG30GBWHmIjw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "lj88xbS-VpW59_Z5hsbsJP4xAnxVBWNI4Z3qH3icPJsFoJEbvJ8-sw=="), class = c("insensitive", "list")), all_headers = list(list(status = 401L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/json;charset=ISO-8859-1", `content-length` = "164", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:16 GMT", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "148acdb8-7921-486c-6920-b0bdc1cadda4", + date = "Thu, 29 Aug 2024 19:35:55 GMT", `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "550962a6-0bf9-49b6-7479-cc18677161b9", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "HD-KEwqP1uKNAJ5meE9jotGBWn5tE8SkwGmXqA5M6rzG30GBWHmIjw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "lj88xbS-VpW59_Z5hsbsJP4xAnxVBWNI4Z3qH3icPJsFoJEbvJ8-sw=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", "POSIXt")), name = logical(0), value = logical(0)), row.names = integer(0), class = "data.frame"), content = charToRaw("{\"title\":\"API Header Not Found\",\"detail\":\"Every API call should pass assigned API key through custom http header or query parameter. Request is missing x-api-key.\"}"), - date = structure(1716407416, class = c("POSIXct", "POSIXt" - ), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.5e-05, - connect = 0, pretransfer = 0.000187, starttransfer = 0.102626, - total = 0.102673)), class = "response") + date = structure(1724960155, class = c("POSIXct", "POSIXt" + ), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.3e-05, + connect = 0, pretransfer = 0.000119, starttransfer = 0.139273, + total = 0.139298)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/list/search/by-type/federal.json b/tests/testthat/chemical-batch/chemical/list/search/by-type/federal.json index 0bab4f1..bf3be57 100644 --- a/tests/testthat/chemical-batch/chemical/list/search/by-type/federal.json +++ b/tests/testthat/chemical-batch/chemical/list/search/by-type/federal.json @@ -5,10 +5,10 @@ "label": "40 CFR 116.4 Designation of Hazardous Substances (Above Ground Storage Tanks)", "visibility": "PUBLIC", "longDescription": "Hazardous Substance List associated with the Federal Water Pollution Control Act, as amended by the Federal Water Pollution Control Act Amendments of 1972 (Pub. L. 92-500), and as further amended by the Clean Water Act of 1977 (Pub. L. 95-217), 33 U.S.C. 1251 et seq.; and as further amended by the Clean Water Act Amendments of 1978 (Pub. L. 95-676)The current list can be found at 40 CFR 116.4 list<\/a>.

\r\n\r\nOther lists of interest are:

\r\n\r\nList of constituents of motor fuels relevant to leaking underground storage tank sites\r\n
List of constituents of motor fuels relevant to leaking underground storage tank sites<\/a>

\r\n\r\nChemicals present in Underground Storage Tanks\r\n
Chemicals present in Underground Storage Tanks<\/a>

\r\n\r\n\r\n", + "listName": "40CFR1164", "chemicalCount": 333, "createdAt": "2020-06-25T16:01:14Z", "updatedAt": "2022-05-16T14:02:18Z", - "listName": "40CFR1164", "shortDescription": "Hazardous Substance List (40 CFR 116.4)" }, { @@ -17,10 +17,10 @@ "label": "40CFR355 Extremely Hazardous Substance List and Threshold Planning Quantities", "visibility": "PUBLIC", "longDescription": "Extremely Hazardous Substance List and Threshold Planning Quantities; Emergency Planning and Release Notification Requirements; Final Rule. (
52 FR 13378<\/a>) This FR notice contains the EHS list of chemicals as published in 1987. This list has been revised over time and should not be used for current compliance purposes. The current EHS list can be found at 40 CFR 355<\/a>.\r\n\r\n\r\n\r\n", + "listName": "40CFR355", "chemicalCount": 354, "createdAt": "2018-01-05T11:40:04Z", "updatedAt": "2022-05-19T09:38:40Z", - "listName": "40CFR355", "shortDescription": "Extremely Hazardous Substance List and Threshold Planning Quantities; Emergency Planning and Release Notification Requirements; Final Rule. (52 FR 13378)" }, { @@ -29,10 +29,10 @@ "label": "AEGLS: Acute Exposure Guideline Levels", "visibility": "PUBLIC", "longDescription": "Acute Exposure Guideline Level (AEGLs) values are intended to protect most individuals in the general population, including those that might be particularly susceptible to the harmful effects of the chemicals. Acute exposure guideline levels (AEGLs) describe the human health effects from once-in-a-lifetime, or rare, exposure to airborne chemicals. Used by emergency responders when dealing with chemical spills or other catastrophic exposures, AEGLs are set through a collaborative effort of the public and private sectors worldwide.", + "listName": "AEGLVALUES", "chemicalCount": 174, "createdAt": "2018-04-20T17:35:30Z", "updatedAt": "2021-06-15T12:41:37Z", - "listName": "AEGLVALUES", "shortDescription": "Acute exposure guideline levels (AEGLs) describe the human health effects from once-in-a-lifetime, or rare, exposure to airborne chemicals." }, { @@ -41,10 +41,10 @@ "label": "CATEGORY|WIKILIST|ANTIMICROBIALS: Antimicrobials from Wikipedia", "visibility": "PUBLIC", "longDescription": "A list of antimicrobials extracted from the Wikipedia Category page: Wikipedia list<\/a>. ", + "listName": "ANTIMICROBIALS", "chemicalCount": 360, "createdAt": "2020-10-08T10:11:45Z", "updatedAt": "2021-06-15T19:18:23Z", - "listName": "ANTIMICROBIALS", "shortDescription": "A list of antimicrobials extracted from Wikipedia." }, { @@ -53,10 +53,10 @@ "label": "EPA|ASPECT: EPA’s Airborne Spectral Photometric Environmental Collection Technology (ASPECT)", "visibility": "PUBLIC", "longDescription": "Based near Dallas, Texas, and able to deploy within one hour of notification, ASPECT is the nation’s only airborne real-time chemical and radiological detection, infrared and photographic imagery platform. ASPECT is available to assist local, national, and international agencies supporting hazardous substance response, radiological incidents, and situational awareness. ASPECT is available 24/7/365 and can begin collecting data at any site in the continental US within nine hours.", + "listName": "ASPECT", "chemicalCount": 401, "createdAt": "2021-08-27T22:24:49Z", "updatedAt": "2021-08-27T22:25:41Z", - "listName": "ASPECT", "shortDescription": "EPA's ASPECT is the nation’s only airborne real-time chemical and radiological detection, infrared and photographic imagery platform. " }, { @@ -65,10 +65,10 @@ "label": "ATSDR: Toxic Substances Portal Chemical List ", "visibility": "PUBLIC", "longDescription": "The Agency for Toxic Substances and Disease Registry (ATSDR) is a federal public health agency of the U.S. Department of Health and Human Services. This list provides direct access to the ATSDR Toxic Substances Portal.", + "listName": "ATSDRLST", "chemicalCount": 200, "createdAt": "2017-03-11T09:46:27Z", "updatedAt": "2021-06-15T19:28:20Z", - "listName": "ATSDRLST", "shortDescription": "The Agency for Toxic Substances and Disease Registry (ATSDR) is a federal public health agency of the U.S. Department of Health and Human Services." }, { @@ -77,10 +77,10 @@ "label": "ATSDR: Minimal Risk Levels (MRLs) for Hazardous Substances NAVIGATION", "visibility": "PUBLIC", "longDescription": "The Comprehensive Environmental Response, Compensation, and Liability Act (CERCLA) [42 U.S.C. 9604 et seq.<\/a>], as amended by the Superfund Amendments and Reauthorization Act (SARA) [Pub. L. 99 499], requires that the Agency for Toxic Substances and Disease Registry<\/a> (ATSDR) develop jointly with the U.S. Environmental Protection Agency (EPA), in order of priority, a list of hazardous substances most commonly found at facilities on the CERCLA National Priorities List (NPL) (42 U.S.C. 9604(i)(2)<\/a>); prepare toxicological profiles for each substance included on the priority list of hazardous substances, and to ascertain significant human exposure levels (SHELs) for hazardous substances in the environment, and the associated acute, subacute, and chronic health effects (42 U.S.C. 9604(i)(3)); and assure the initiation of a research program to fill identified data needs associated with the substances (42 U.S.C. 9604(i)(5)). The ATSDR Minimal Risk Levels (MRLs) were developed as an initial response to the mandate. An MRL is an estimate of the amount of a chemical a person can eat, drink, or breathe each day without a detectable risk to health. MRLs are developed for health effects other than cancer. MRLs can be made for 3 different time periods [the length of time people are exposed to the chemical: acute (about 1 to 14 days), intermediate (from 15-364 days), and chronic (exposure for more than 364 days)]. It is important to note that MRLs are not intended to define clean up or action levels for ATSDR or other Agencies.

\r\n\r\n
ATSDRMRLSV2 - August 2022<\/a> This list

\r\n\r\n
ATSDRMRLSV1 - November 2018<\/a>", + "listName": "ATSDRMRLS", "chemicalCount": 207, "createdAt": "2024-01-12T13:55:41Z", "updatedAt": "2024-01-14T17:38:26Z", - "listName": "ATSDRMRLS", "shortDescription": "The ATSDR Minimal Risk Levels (MRLs) were developed as an initial response to the Comprehensive Environmental Response, Compensation, and Liability Act (CERCLA) (NAVIGATION)" }, { @@ -89,10 +89,10 @@ "label": "ATSDR: Minimal Risk Levels (MRLs) for Hazardous Substances (version 1 - November 2018)", "visibility": "PUBLIC", "longDescription": "The Comprehensive Environmental Response, Compensation, and Liability Act (CERCLA) [42 U.S.C. 9604 et seq.<\/a>], as amended by the Superfund Amendments and Reauthorization Act (SARA) [Pub. L. 99 499], requires that the Agency for Toxic Substances and Disease Registry<\/a> (ATSDR) develop jointly with the U.S. Environmental Protection Agency (EPA), in order of priority, a list of hazardous substances most commonly found at facilities on the CERCLA National Priorities List (NPL) (42 U.S.C. 9604(i)(2)<\/a>); prepare toxicological profiles for each substance included on the priority list of hazardous substances, and to ascertain significant human exposure levels (SHELs) for hazardous substances in the environment, and the associated acute, subacute, and chronic health effects (42 U.S.C. 9604(i)(3)); and assure the initiation of a research program to fill identified data needs associated with the substances (42 U.S.C. 9604(i)(5)). The ATSDR Minimal Risk Levels (MRLs) were developed as an initial response to the mandate. An MRL is an estimate of the amount of a chemical a person can eat, drink, or breathe each day without a detectable risk to health. MRLs are developed for health effects other than cancer. MRLs can be made for 3 different time periods [the length of time people are exposed to the chemical: acute (about 1 to 14 days), intermediate (from 15-364 days), and chronic (exposure for more than 364 days)]. It is important to note that MRLs are not intended to define clean up or action levels for ATSDR or other Agencies. (Version 1 - November 2018)\r\n", + "listName": "ATSDRMRLSV1", "chemicalCount": 756, "createdAt": "2018-11-16T13:38:00Z", "updatedAt": "2024-01-12T13:51:40Z", - "listName": "ATSDRMRLSV1", "shortDescription": "The ATSDR Minimal Risk Levels (MRLs) were developed as an initial response to the Comprehensive Environmental Response, Compensation, and Liability Act (CERCLA) (version 1 - November 2018)" }, { @@ -101,10 +101,10 @@ "label": "ATSDR: Minimal Risk Levels (MRLs) for Hazardous Substances (Version 2 - December 2022)", "visibility": "PUBLIC", "longDescription": "The Comprehensive Environmental Response, Compensation, and Liability Act (CERCLA) [42 U.S.C. 9604 et seq.<\/a>], as amended by the Superfund Amendments and Reauthorization Act (SARA) [Pub. L. 99 499], requires that the Agency for Toxic Substances and Disease Registry<\/a> (ATSDR) develop jointly with the U.S. Environmental Protection Agency (EPA), in order of priority, a list of hazardous substances most commonly found at facilities on the CERCLA National Priorities List (NPL) (42 U.S.C. 9604(i)(2)<\/a>); prepare toxicological profiles for each substance included on the priority list of hazardous substances, and to ascertain significant human exposure levels (SHELs) for hazardous substances in the environment, and the associated acute, subacute, and chronic health effects (42 U.S.C. 9604(i)(3)); and assure the initiation of a research program to fill identified data needs associated with the substances (42 U.S.C. 9604(i)(5)). The ATSDR Minimal Risk Levels (MRLs) were developed as an initial response to the mandate. An MRL is an estimate of the amount of a chemical a person can eat, drink, or breathe each day without a detectable risk to health. MRLs are developed for health effects other than cancer. MRLs can be made for 3 different time periods [the length of time people are exposed to the chemical: acute (about 1 to 14 days), intermediate (from 15-364 days), and chronic (exposure for more than 364 days)]. It is important to note that MRLs are not intended to define clean up or action levels for ATSDR or other Agencies. (Last Updated 12/12/2022 based on August 2022 release of MRL values<\/a>)", + "listName": "ATSDRMRLSV2", "chemicalCount": 207, "createdAt": "2022-12-12T19:59:21Z", "updatedAt": "2024-01-14T17:35:50Z", - "listName": "ATSDRMRLSV2", "shortDescription": "The ATSDR Minimal Risk Levels (MRLs) were developed as an initial response to the Comprehensive Environmental Response, Compensation, and Liability Act (CERCLA). (Version 2 - December 2022)\r\n" }, { @@ -113,10 +113,10 @@ "label": "ATSDR Toxicological Profiles", "visibility": "PUBLIC", "longDescription": "Toxicological Profiles (Tox Profiles) are a unique compilation of toxicological information on a given hazardous substance. Each peer-reviewed Tox Profile reflects a comprehensive and extensive evaluation, summary, and interpretation of available toxicological and epidemiological information on a substance. A full list of Toxicological Profiles is available online<\/a>.", + "listName": "ATSDRPROFILES", "chemicalCount": 212, "createdAt": "2020-09-28T10:32:17Z", "updatedAt": "2021-06-15T19:29:34Z", - "listName": "ATSDRPROFILES", "shortDescription": "Toxicological Profiles (Tox Profiles) are a unique compilation of toxicological information on a given hazardous substance. " }, { @@ -125,10 +125,10 @@ "label": "Navigation Panel to Biosolid Lists", "visibility": "PUBLIC", "longDescription": "Biosolids lists change over time and are versioned iteratively. This panel navigates between the various versions which will be released over time. \r\nThe list of substances displayed below represents the latest iteration of biosolids (BIOSOLOIDS2021 - November 2021). For the versioned lists please use the hyperlinked lists below.

\r\n\r\n
BIOSOLIDS2021 - November 2021<\/a>

\r\n\r\n
BIOSOLIDS2022 - December 2022<\/a>

", + "listName": "BIOSOLIDS", "chemicalCount": 726, "createdAt": "2021-12-19T11:00:24Z", "updatedAt": "2023-09-26T13:28:20Z", - "listName": "BIOSOLIDS", "shortDescription": "Biosolids lists change over time and are versioned iteratively. This panel navigates between the various versions." }, { @@ -137,10 +137,10 @@ "label": "LIST: Chemicals in biosolids (2021)", "visibility": "PUBLIC", "longDescription": "Biosolids are a product of the wastewater treatment process. During wastewater treatment the liquids are separated from the solids. Those solids are then treated physically and chemically to produce a semisolid, nutrient-rich product known as biosolids. The terms ‘biosolids’ and ‘sewage sludge’ are often used interchangeably.
Section 405(d) of the Clean Water Act (CWA)<\/a> \r\n requires the United States Environmental Protection Agency (EPA) to (1) develop a regulation to establish pollutant limits and management practices to protect human health and the environment from any reasonably anticipated adverse effects of pollutants that might be present in sewage sludge; and (2) review sewage sludge regulations every two years to identify any additional pollutants that may occur in biosolids and to set regulations for pollutants identified in biosolids if sufficient scientific evidence shows they may harm human health or the environment. The regulation 40 CFR Part 503, Standards for the Use or Disposal of Sewage Sludge<\/a> \r\n, was published on February 19, 1993 (58 FR 9248). Part 503 established pollutants limits for ten metals. Since 1993, EPA has conducted eight biennial reviews<\/a> \r\n and three national sewage sludge surveys<\/a> \r\n to review additional pollutants found in biosolids and assess possible exposure from those chemicals. To date, 726 chemicals have been found in biosolids. You can learn more about the curation of the list of chemical pollutants here: https://www.nature.com/articles/s41597-022-01267-9<\/a>. Concentration data is also available for 484 chemical pollutants detected in the three national sewage sludge surveys here: Supplementary Information Table 4 (https://www.nature.com/articles/s41597-022-01267-9#Sec11)<\/a>. To view all the microbial pollutants found in biosolids see Table B-1, Chemical and Microbial Pollutants Identified in Biosolids in Biennial Review No. 8<\/a>. (Last Updated November 9th 2021)\r\n", + "listName": "BIOSOLIDS2021", "chemicalCount": 726, "createdAt": "2021-11-09T16:57:37Z", "updatedAt": "2022-10-05T22:30:53Z", - "listName": "BIOSOLIDS2021", "shortDescription": "Chemicals detected in biosolids (nutrient-rich organic materials produced from wastewater treatment facilities) (Last Updated November 9th 2021)" }, { @@ -149,10 +149,10 @@ "label": "LIST: Chemicals in biosolids (2022)", "visibility": "PUBLIC", "longDescription": "Biosolids are a product of the wastewater treatment process. During wastewater treatment the liquids are separated from the solids. Those solids are then treated physically and chemically to produce a semisolid, nutrient-rich product known as biosolids. The terms ‘biosolids’ and ‘sewage sludge’ are often used interchangeably though biosolids typically means treated sewage sludge that meet federal and state requirements and are applied to land as a soil amendment. Section 405(d) of the Clean Water Act (CWA)<\/a> \r\n requires the United States Environmental Protection Agency (EPA) to (1) develop a regulation to establish pollutant limits and management practices to protect human health and the environment from any reasonably anticipated adverse effects of pollutants that might be present in sewage sludge; and (2) review sewage sludge regulations every two years to identify any additional pollutants that may occur in biosolids and to set regulations for pollutants identified in biosolids if sufficient scientific evidence shows they may harm human health or the environment. The regulation 40 CFR Part 503, Standards for the Use or Disposal of Sewage Sludge<\/a> \r\n, was published on February 19, 1993 (58 FR 9248). Part 503 established pollutants limits for ten metals. Since 1993, EPA has conducted nine biennial reviews<\/a> \r\n and three national sewage sludge surveys<\/a> \r\n to identify additional pollutants found in biosolids. To date, 739 chemicals have been found in biosolids. You can learn more about the curation of the list of chemical pollutants through 2021 here: https://www.nature.com/articles/s41597-022-01267-9<\/a>. Concentration data is also available for 484 chemical pollutants detected in the three national sewage sludge surveys here: Supplementary Information Table 4 (https://www.nature.com/articles/s41597-022-01267-9#Sec11)<\/a>. To view all the microbial pollutants found in biosolids see Appendix B, ‘Table B-3: Microbial Pollutants Identified in Biosolids’ in Biennial Report No.9 (Reporting Period 2020-2021)<\/a>. (Last Updated December 21st, 2022).", + "listName": "BIOSOLIDS2022", "chemicalCount": 739, "createdAt": "2022-10-05T22:32:34Z", "updatedAt": "2022-12-23T00:41:26Z", - "listName": "BIOSOLIDS2022", "shortDescription": "Chemicals detected in biosolids (nutrient-rich organic materials produced from wastewater treatment facilities) (Last Updated December 21st 2022)" }, { @@ -161,10 +161,10 @@ "label": "WATER|EPA: Chemical Contaminants - Navigation Panel to Chemical Candidate Lists", "visibility": "PUBLIC", "longDescription": "The Safe Drinking Water Act (SDWA), as amended in 1996, requires the United States Environmental Protection Agency (EPA) to publish every five years a list of drinking water contaminants, known as the Contaminant Candidate List (CCL), that at the time of publication:
\r\n•\tare not subject to any proposed or promulgated National Primary Drinking Water Regulation,
\r\n•\tare known or anticipated to occur in public water systems (PWSs), and
\r\n•\tmay require regulation under the SDWA.

\r\n\r\nThe CCLs provided in the CompTox dashboard are versioned iteratively and this description navigates between the various versions of the lists. The list of substances displayed below represents the latest iteration of the list (CCL 5 - November 2022) and only display the chemical contaminants. The CCL 5 PFAS list is listed separately. For the versioned lists please use the hyperlinked lists below.

\r\n\r\n
CCL5 - November 2022<\/a> This list

\r\n
CCL4 - November 2016<\/a>

\r\n
CCL3 - October 2009<\/a>

\r\n
CCL2 - February 2005<\/a>

\r\n
CCL1 - March 1998<\/a>

", + "listName": "CCL", "chemicalCount": 92, "createdAt": "2022-10-21T18:35:26Z", "updatedAt": "2022-10-26T20:04:17Z", - "listName": "CCL", "shortDescription": "Chemical Candidate Lists are versioned iteratively and this panel navigates between the various versions." }, { @@ -173,10 +173,10 @@ "label": "WATER|EPA: Chemical Contaminants - CCL 1", "visibility": "PUBLIC", "longDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that, at the time of publication, are not subject to any proposed or promulgated national primary drinking water regulations, but are known or anticipated to occur in public water systems. Contaminants listed on the CCL may require future regulation under the Safe Drinking Water Act (SDWA). EPA announced the
first Drinking Water Contaminant Candidate List (CCL 1)<\/a> on March 2, 1998. The CCL Chemical Candidate Lists are versioned iteratively and this description navigates between the various versions of the lists. The list of substances displayed below represents only the chemical CCL 1 contaminants. CCL 1 includes 47 individually listed chemicals and 3 chemical groups (Alachlor ESA and other acetanilide pesticide degradation products, organotins and triazines and degradation products of triazines). The triazines group includes but is not limited to Cyanazine (CASN 21725-46-2) and atrazine-desethyl (CASN 6190-65-4). For the versioned lists, please use the hyperlinked lists below.

\r\n\r\n
CCL5 - November 2022<\/a>

\r\n
CCL4 - November 2016<\/a>

\r\n
CCL3 - October 2009<\/a>

\r\n
CCL2 - February 2005<\/a>

\r\n
CCL1 - March 1998<\/a> This list

", + "listName": "CCL1", "chemicalCount": 50, "createdAt": "2022-10-21T17:28:58Z", "updatedAt": "2022-10-27T09:38:03Z", - "listName": "CCL1", "shortDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that are known or anticipated to occur in public water systems. Version 1 is known as CCL 1." }, { @@ -185,10 +185,10 @@ "label": "WATER|EPA: Chemical Contaminants - CCL 2", "visibility": "PUBLIC", "longDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that, at the time of publication, are not subject to any proposed or promulgated national primary drinking water regulations, but are known or anticipated to occur in public water systems. Contaminants listed on the CCL may require future regulation under the Safe Drinking Water Act (SDWA). EPA announced the
second Drinking Water Contaminant Candidate List (CCL 2)<\/a> on February 23, 2005. The CCL Chemical Candidate Lists are versioned iteratively and this description navigates between the various versions of the lists. The list of substances displayed below represents only the chemical CCL 2 contaminants. CCL 2 includes 39 individually listed chemicals and 3 chemical groups (Alachlor ESA and other acetanilide pesticide degradation products, organotins, and triazines and degradation products of triazines). For the versioned lists, please use the hyperlinked lists below.

\r\n\r\n
CCL5 - November 2022<\/a>

\r\n
CCL4 - November 2016<\/a>

\r\n
CCL3 - October 2009<\/a>

\r\n
CCL2 - February 2005<\/a> This list

\r\n
CCL1 - March 1998<\/a>

", + "listName": "CCL2", "chemicalCount": 42, "createdAt": "2022-10-21T17:33:26Z", "updatedAt": "2022-10-26T20:24:14Z", - "listName": "CCL2", "shortDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that are known or anticipated to occur in public water systems. Version 2 is known as CCL 2.\r\n\r\n" }, { @@ -197,10 +197,10 @@ "label": "WATER|EPA: Chemical Contaminants - CCL 3", "visibility": "PUBLIC", "longDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that, at the time of publication, are not subject to any proposed or promulgated national primary drinking water regulations, but are known or anticipated to occur in public water systems. Contaminants listed on the CCL may require future regulation under the Safe Drinking Water Act (SDWA). EPA announced the
third Drinking Water Contaminant Candidate List (CCL 3)<\/a> on October 8, 2009. The CCL Chemical Candidate Lists are versioned iteratively and this description navigates between the various versions of the lists. The list of substances displayed below represents only the chemical CCL 3 contaminants. CCL 3 includes 103 individually listed chemicals and 1 chemical group (cyanotoxins). For the versioned lists, please use the hyperlinked lists below.

\r\n\r\n\r\n
CCL5 - November 2022<\/a>

\r\n
CCL4 - November 2016<\/a>

\r\n
CCL3 - October 2009<\/a> This list

\r\n
CCL2 - February 2005<\/a>

\r\n
CCL1 - March 1998<\/a>

", + "listName": "CCL3", "chemicalCount": 106, "createdAt": "2022-10-21T17:58:30Z", "updatedAt": "2022-10-27T09:45:21Z", - "listName": "CCL3", "shortDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that are known or anticipated to occur in public water systems. Version 3 is known as CCL 3.\r\n\r\n" }, { @@ -209,10 +209,10 @@ "label": "WATER|EPA: Chemical Contaminants - CCL 4", "visibility": "PUBLIC", "longDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that, at the time of publication, are not subject to any proposed or promulgated national primary drinking water regulations, but are known or anticipated to occur in public water systems. Contaminants listed on the CCL may require future regulation under the Safe Drinking Water Act (SDWA). EPA announced the
fourth Drinking Water Contaminant Candidate List (CCL 4)<\/a> on November 17, 2016. The CCL 4 includes 97 chemicals or chemical groups and 12 microbial contaminants. The group of cyanotoxins on CCL 4 includes, but is not limited to: anatoxin-a, cylindrospermopsin, microcystins, and saxitoxin. The CCL Chemical Candidate Lists are versioned iteratively and this description navigates between the various versions of the lists. The list of substances displayed below represents only the chemical CCL 4 contaminants. For the versioned lists, please use the hyperlinked lists below.

\r\n\r\n
CCL5 - November 2022<\/a>

\r\n
CCL4 - November 2016<\/a> \r\n This list

\r\n
CCL3 - October 2009<\/a>

\r\n
CCL2 - February 2005<\/a>

\r\n
CCL1 - March 1998<\/a>

", + "listName": "CCL4", "chemicalCount": 100, "createdAt": "2017-12-28T17:58:36Z", "updatedAt": "2022-10-26T21:14:27Z", - "listName": "CCL4", "shortDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that are known or anticipated to occur in public water systems. Version 4 is known as CCL 4." }, { @@ -221,10 +221,10 @@ "label": "WATER|EPA: Chemical Contaminants - CCL 5", "visibility": "PUBLIC", "longDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that, at the time of publication, are not subject to any proposed or promulgated national primary drinking water regulations, but are known or anticipated to occur in public water systems. Contaminants listed on the CCL may require future regulation under the Safe Drinking Water Act (SDWA). EPA announced the
fifth Drinking Water Contaminant Candidate List (CCL 5)<\/a> on November 2nd 2022. The CCL 5 includes 66 individually listed chemicals, 3 chemical groups (cyanotoxins, disinfection byproducts (DBPs), per- and polyfluoroalkyl substances (PFAS)), and 12 microbial contaminants (not displayed in the CompTox List below). The group of cyanotoxins include, but is not limited to: anatoxin-a, cylindrospermopsin, microcystins, and saxitoxin. The DBP group includes 23 unregulated DBPs that were either publicly nominated and/or among the top chemicals in the CCL 5 Universe. For the purposes of CCL 5, the PFAS group includes chemicals that contain at least one of these three structures:

\r\n•\tR-(CF2)-CF(R′)R′′, where both the CF2 and CF moieties are saturated carbons, and none of the R groups can be hydrogen
\r\n•\tR-CF2OCF2-R′, where both the CF2 moieties are saturated carbons, and none of the R groups can be hydrogen
\r\n•\tCF3C(CF3)RR′, where all the carbons are saturated, and none of the R groups can be hydrogen

\r\n\r\nThe CompTox dashboard also includes a separate list of PFAS (
WATER|EPA: Chemical Contaminants - CCL 5 PFAS subset<\/a>) that meet the CCL 5 structural definition.

\r\nThe CCL Chemical Candidate Lists are versioned iteratively and this description navigates between the various versions of the lists. The list of substances displayed below represents only the chemical CCL 4 contaminants. For the versioned lists, please use the hyperlinked lists below.

\r\n\r\n\r\n
CCL5 - November 2022<\/a> This list

\r\n
CCL4 - November 2016<\/a>

\r\n
CCL3 - October 2009<\/a>

\r\n
CCL2 - February 2005<\/a>

\r\n
CCL1 - March 1998<\/a>

", + "listName": "CCL5", "chemicalCount": 93, "createdAt": "2022-10-26T21:40:56Z", "updatedAt": "2022-10-28T11:52:25Z", - "listName": "CCL5", "shortDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that are known or anticipated to occur in public water systems. Version 5 is known as CCL 5." }, { @@ -233,10 +233,10 @@ "label": "WATER|EPA: Chemical Contaminants - CCL 5 PFAS subset", "visibility": "PUBLIC", "longDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that are currently not subject to any proposed or promulgated national primary drinking water regulations, but are known or anticipated to occur in public water systems. Contaminants listed on the CCL may require future regulation under the Safe Drinking Water Act (SDWA). EPA announced the Final Contaminant Candidate List 5 on November 2nd 2022. \r\n\r\nFor the purpose of CCL 5, excluding PFOA and PFOS, the structural definition of per- and polyfluoroalkyl substances (PFAS) includes chemicals that contain at least one of these three structures: \r\n1) R-(CF2)-CF(R′)R′′, where both the CF2 and CF moieties are saturated carbons, and none of the R groups can be hydrogen \r\n2) R-CF2OCF2-R′, where both the CF2 moieties are saturated carbons, and none of the R groups can be hydrogen\r\n3) CF3C(CF3)RR′, where all the carbons are saturated, and none of the R groups can be hydrogen \r\n\r\n\r\nThe Final CCL 5 includes 69 chemicals or chemical groups and 12 microbial contaminants. The CCL 5 list is available
here<\/a>

.\r\n", + "listName": "CCL5PFAS", "chemicalCount": 10246, "createdAt": "2022-10-07T11:02:35Z", "updatedAt": "2022-10-29T23:06:51Z", - "listName": "CCL5PFAS", "shortDescription": "The Contaminant Candidate List (CCL) is a list of contaminants that are known or anticipated to occur in public water systems. EPA announced the Final Contaminant Candidate List 5 on November 2nd 2022." }, { @@ -245,10 +245,10 @@ "label": "CDR: Chemical Data Reporting 2016 ", "visibility": "PUBLIC", "longDescription": "The
Chemical Data Reporting (CDR) rule<\/a> under the Toxic Substances Control Act (TSCA), requires manufacturers (including importers) to provide EPA with information on the production and use of chemicals in commerce.
\r\n\r\nUnder the CDR rule, EPA collects basic exposure-related information including information on the types, quantities and uses of chemical substances produced domestically and imported into the United States. The CDR database constitutes the most comprehensive source of basic screening-level, exposure-related information on chemicals available to EPA, and is used by the Agency to protect the public from potential chemical risks.
\r\n\r\nThe information is collected every four years from manufacturers (including importers) of certain chemicals in commerce generally when production volumes for the chemical are 25,000 lbs or greater for a specific reporting year. Collecting the information every four years assures that EPA and (for non-confidential data) the public have access to up-to-date information on chemicals.
\r\n\r\nThe CDR rule is required by section 8(a) of the Toxic Substances Control Act (TSCA) and was formerly known as the Inventory Update Rule (IUR).
", + "listName": "CDR2016", "chemicalCount": 8035, "createdAt": "2021-10-18T21:59:48Z", "updatedAt": "2021-10-18T22:25:46Z", - "listName": "CDR2016", "shortDescription": "Chemical Data Reporting (CDR) 2016 Use data. " }, { @@ -257,10 +257,10 @@ "label": "CDR: Chemical Data Reporting 2020", "visibility": "PUBLIC", "longDescription": "The
Chemical Data Reporting (CDR) rule<\/a> under the Toxic Substances Control Act (TSCA), requires manufacturers (including importers) to provide EPA with information on the production and use of chemicals in commerce.
\r\n\r\nUnder the CDR rule, EPA collects basic exposure-related information including information on the types, quantities and uses of chemical substances produced domestically and imported into the United States. The CDR database constitutes the most comprehensive source of basic screening-level, exposure-related information on chemicals available to EPA, and is used by the Agency to protect the public from potential chemical risks.
\r\n\r\nThe information is collected every four years from manufacturers (including importers) of certain chemicals in commerce generally when production volumes for the chemical are 25,000 lbs or greater for a specific reporting year. Collecting the information every four years assures that EPA and (for non-confidential data) the public have access to up-to-date information on chemicals.
\r\n\r\nThe CDR rule is required by section 8(a) of the Toxic Substances Control Act (TSCA) and was formerly known as the Inventory Update Rule (IUR).
\r\n\r\nThe CDR2020 data are accessible from the
Access CDR Data<\/a> page. The dataset registered here is for the set of chemicals with CAS Registry Numbers and excludes the ~600 chemicals without CASRNs and/or flagged as provisional. (Last Updated 9/16/2022)\r\n\r\n", + "listName": "CDR2020", "chemicalCount": 8033, "createdAt": "2022-09-16T19:30:54Z", "updatedAt": "2022-09-16T23:01:42Z", - "listName": "CDR2020", "shortDescription": "Chemical Data Reporting (CDR) 2020 Use data." }, { @@ -269,10 +269,10 @@ "label": "EPA|CHEMINV: EPA Chemical Inventory for ToxCast (20170203)", "visibility": "PUBLIC", "longDescription": "CHEMINV consists of the full list of unique DSSTox substance records mapped to the historical chemical inventory of physical samples registered by EPA's ToxCast Chemical Contractor (Evotec) in their sample tracking database since the launch of the ToxCast program in 2007. The CHEMINV file includes all chemical samples procured by Evotec for possible inclusion in EPA's ToxCast program since the start of the program in 2007, as well as a relatively small set of donated or EPA-supplied samples that were shipped to Evotec to be included in EPA's physical sample library. The list includes all samples received and registered by Evotec, but all samples were not necessarily solubilized or plated for testing, i.e., the full list includes volatiles, DMSO insolubles, depleted chemicals, and discarded chemicals deemed too dangerous for storage and handling. All physical samples plated for screening in the ToxCast program (TOXCAST), which includes EPA's full contribution to the Tox21 screening program (TOX21SL), are included as a subset of CHEMINV, as is the full list of samples currently available for ToxCast plating. Hence, the CHEMINV inventory file is a snapshot of all past and present samples. The CHEMINV file provides a complete historical record of chemicals that were prioritized for inclusion in EPA's ToxCast and Tox21 screening programs based on multiple criteria (toxicity data, exposure potential, use, etc.), and that were successfully procured by (or provided to) EPA's ToxCast Chemical Contractor (Evotec) for possible inclusion in those programs. The CHEMINV file is a subset of EPA's ChemTrack database (CHEMTRACK), the latter including all chemicals for which ToxCast or Tox21 screening data have been generated. CHEMTRACK additionally includes reference chemicals for which data were provided by ToxCast collaborators, as well as Tox21 chemicals not in EPA's physical inventory that were separately provided by Tox21 federal testing partners (the National Institutes of Health's National Toxicology Program and National Center for Advancing Translational Sciences). A detailed description of EPA's chemical management system and the DSSTox curation associated with chemical registration and mapping of the CHEMINV file is provided in the published document available for download at:\r\nhttps://www.epa.gov/chemical-research/toxcast-chemicals-data-management-and-quality-considerations-overview<\/a>\r\nFor more information on EPA’s ToxCast program, see:\r\nhttps://www.epa.gov/chemical-research/toxicity-forecasting<\/a>\r\nhttps://www.epa.gov/chemical-research/toxicity-forecasting", + "listName": "CHEMINV", "chemicalCount": 5231, "createdAt": "2017-02-13T19:38:12Z", "updatedAt": "2019-05-18T20:49:47Z", - "listName": "CHEMINV", "shortDescription": "CHEMINV is full list of unique DSSTox substances mapped to historical chemical inventory of physical samples registered by EPA's ToxCast Chemical Contractor (Evotec) since launch of ToxCast program in 2007. " }, { @@ -281,10 +281,10 @@ "label": "EPA|CHEMINV: EPA ToxCast ChemInventory DMSO Insolubles at 20mM", "visibility": "PUBLIC", "longDescription": "Group of chemicals within EPA's ToxCast physical sample library found to be insoluble in DMSO at a target concentration of 20mM. A subset of these chemicals were soluble at 5-15mM and were included in ToxCast testing and in the TOXCST inventory.", + "listName": "CHEMINV_dmsoinsolubles", "chemicalCount": 558, "createdAt": "2016-02-10T15:47:01Z", "updatedAt": "2019-05-18T20:50:45Z", - "listName": "CHEMINV_dmsoinsolubles", "shortDescription": "Chemicals in EPA's ToxCast physical sample library CHEMINV insoluble in DMSO " }, { @@ -293,10 +293,10 @@ "label": "EPA|CHEMINV: EPA ToxCast ChemInventory list of reactives", "visibility": "PUBLIC", "longDescription": "ToxCast Chemical inventory (CHEMINV) physical sample library list of chemicals that were deemed too reactive to include in HTS testing. ", + "listName": "CHEMINV_reactives", "chemicalCount": 24, "createdAt": "2016-02-10T17:08:06Z", "updatedAt": "2019-05-18T20:54:45Z", - "listName": "CHEMINV_reactives", "shortDescription": "ToxCast Chemical inventory (CHEMINV) physical sample library list of chemicals that were deemed too reactive to include in HTS testing. " }, { @@ -305,10 +305,10 @@ "label": "EPA|CHEMINV: EPA ToxCast ChemInventory chemicals with stability problems", "visibility": "PUBLIC", "longDescription": "ToxCast chemical inventory (CHEMINV) physical sample library list of chemicals that were determined to have stability problems such that they decompose over time in DMSO. ", + "listName": "CHEMINV_stability", "chemicalCount": 34, "createdAt": "2016-02-10T17:10:02Z", "updatedAt": "2019-05-18T20:55:06Z", - "listName": "CHEMINV_stability", "shortDescription": "ToxCast chemical inventory (CHEMINV) physical sample library list of chemicals that were determined to have stability problems such that they decompose over time in DMSO." }, { @@ -317,10 +317,10 @@ "label": "EPA|CHEMINV: EPA ToxCast CHEMINV list of volatiles", "visibility": "PUBLIC", "longDescription": "List of chemicals in EPA's ToxCast ChemInventory physical sample library that were labeled as volatile (empty on reweigh when stored in closed frozen vials). A subset of the list was included in the ToxCast testing library after solubilization or prior to this determination, so are also included in TOXCST. ", + "listName": "CHEMINV_volatiles", "chemicalCount": 130, "createdAt": "2016-02-10T17:03:23Z", "updatedAt": "2019-05-18T20:54:25Z", - "listName": "CHEMINV_volatiles", "shortDescription": "List of volatile chemicals in EPA ToxCast chemical inventory physical sample library, CHEMINV" }, { @@ -329,22 +329,22 @@ "label": "Chemical and Products Database v1", "visibility": "PUBLIC", "longDescription": "This is a list of chemicals reported in the EPA's Chemical and Products Database from the supplementary info file associated with the Nature Scientific Data article https://www.nature.com/articles/sdata2018125<\/a> (original release February 14th 2017).", + "listName": "CPDATv1", "chemicalCount": 45358, "createdAt": "2017-02-14T10:17:56Z", "updatedAt": "2024-03-13T02:40:53Z", - "listName": "CPDATv1", "shortDescription": "Chemicals contained in the EPA's Chemical and Products Database: Version 1 (original release February 14th 2017)\r\n\r\n" }, { - "id": 1103, + "id": 2132, "type": "federal", "label": "Clean Water Act (CWA) Section 311(b)(2)(A) list", "visibility": "PUBLIC", - "longDescription": "The Clean Water Act (CWA) Section 311(b)(2)(A) requires EPA to compile a list of hazardous substances which, when discharged to navigable waters or adjoining shorelines, present an imminent and substantial danger to the public health or welfare. This includes danger to fish, shellfish, wildlife, and beaches. CWA 311-HS: includes 40 CFR parts 116 and 117 Part 116-Designation of Hazardous Substances Part 117-Determination of Reportable Quantities of Hazardous Substances", - "chemicalCount": 391, - "createdAt": "2021-04-06T12:25:53Z", - "updatedAt": "2021-04-06T12:33:43Z", + "longDescription": "The Clean Water Act (CWA) Section 311(b)(2)(A) requires EPA to compile a list of hazardous substances which, when discharged to navigable waters or adjoining shorelines, present an imminent and substantial danger to the public health or welfare. This includes danger to fish, shellfish, wildlife, and beaches. CWA 311-HS: includes 40 CFR parts 116 and 117 Part 116-Designation of Hazardous Substances Part 117-Determination of Reportable Quantities of Hazardous Substances (Last updated 8/18/2024)", "listName": "CWA311HS", + "chemicalCount": 380, + "createdAt": "2024-08-18T00:58:31Z", + "updatedAt": "2024-08-18T01:06:59Z", "shortDescription": "Clean Water Act (CWA) Section 311(b)(2)(A) list of hazardous substances" }, { @@ -353,10 +353,10 @@ "label": "DEA Schedule 1 Drugs", "visibility": "PUBLIC", "longDescription": "Schedule I drugs, substances, or chemicals are defined as drugs with no currently accepted medical use and a high potential for abuse. Some examples of Schedule I drugs are: heroin, lysergic acid diethylamide (LSD), marijuana (cannabis), 3,4-methylenedioxymethamphetamine (ecstasy), methaqualone, and peyote.\r\n\r\nThe Alphabetical listing of Controlled Substances is available online here<\/a>.", + "listName": "DEASCHED1", "chemicalCount": 275, "createdAt": "2024-02-07T20:06:11Z", "updatedAt": "2024-02-07T20:21:22Z", - "listName": "DEASCHED1", "shortDescription": "Schedule I drugs, substances, or chemicals are defined as drugs with no currently accepted medical use and a high potential for abuse. " }, { @@ -365,10 +365,10 @@ "label": "DEA Schedule 2 Drugs", "visibility": "PUBLIC", "longDescription": "Schedule II drugs, substances, or chemicals are defined as drugs with a high potential for abuse, with use potentially leading to severe psychological or physical dependence. These drugs are also considered dangerous. Some examples of Schedule II drugs are: combination products with less than 15 milligrams of hydrocodone per dosage unit (Vicodin), cocaine, methamphetamine, methadone, hydromorphone (Dilaudid), meperidine (Demerol), oxycodone (OxyContin), fentanyl, Dexedrine, Adderall, and Ritalin\r\n\r\nThe Alphabetical listing of Controlled Substances is available online here<\/a>.", + "listName": "DEASCHED2", "chemicalCount": 58, "createdAt": "2024-02-07T20:26:37Z", "updatedAt": "2024-02-07T20:31:52Z", - "listName": "DEASCHED2", "shortDescription": "Schedule II drugs, substances, or chemicals are defined as drugs with a high potential for abuse, with use potentially leading to severe psychological or physical dependence." }, { @@ -377,10 +377,10 @@ "label": "DEA Schedule 3 Drugs", "visibility": "PUBLIC", "longDescription": "Schedule III drugs, substances, or chemicals are defined as drugs with a moderate to low potential for physical and psychological dependence. Schedule III drugs abuse potential is less than Schedule I and Schedule II drugs but more than Schedule IV. Some examples of Schedule III drugs are: products containing less than 90 milligrams of codeine per dosage unit (Tylenol with codeine), ketamine, anabolic steroids, testosterone\r\n\r\nThe Alphabetical listing of Controlled Substances is available online here<\/a>.\r\n", + "listName": "DEASCHED3", "chemicalCount": 104, "createdAt": "2024-02-07T23:32:55Z", "updatedAt": "2024-02-08T18:35:04Z", - "listName": "DEASCHED3", "shortDescription": "Schedule III drugs, substances, or chemicals are defined as drugs with a moderate to low potential for physical and psychological dependence. " }, { @@ -389,10 +389,10 @@ "label": "DEA Schedule 4 Drugs", "visibility": "PUBLIC", "longDescription": "Schedule IV drugs, substances, or chemicals are defined as drugs with a low potential for abuse and low risk of dependence. Some examples of Schedule IV drugs are: Xanax, Soma, Darvon, Darvocet, Valium, Ativan, Talwin, Ambien, Tramadol.\r\n\r\nThe Alphabetical listing of Controlled Substances is available online here<\/a>.\r\n", + "listName": "DEASCHED4", "chemicalCount": 81, "createdAt": "2024-02-07T23:01:52Z", "updatedAt": "2024-02-07T23:02:31Z", - "listName": "DEASCHED4", "shortDescription": "Schedule IV drugs, substances, or chemicals are defined as drugs with a low potential for abuse and low risk of dependence. " }, { @@ -401,10 +401,10 @@ "label": "DEA Schedule 5 Drugs", "visibility": "PUBLIC", "longDescription": "Schedule V drugs, substances, or chemicals are defined as drugs with lower potential for abuse than Schedule IV and consist of preparations containing limited quantities of certain narcotics. Schedule V drugs are generally used for antidiarrheal, antitussive, and analgesic purposes. Some examples of Schedule V drugs are: cough preparations with less than 200 milligrams of codeine or per 100 milliliters (Robitussin AC), Lomotil, Motofen, Lyrica, Parepectolin.\r\n\r\nThe Alphabetical listing of Controlled Substances is available online here<\/a>.", + "listName": "DEASCHED5", "chemicalCount": 12, "createdAt": "2024-02-07T23:05:29Z", "updatedAt": "2024-02-07T23:06:22Z", - "listName": "DEASCHED5", "shortDescription": "Schedule V drugs, substances, or chemicals are defined as drugs with lower potential for abuse than Schedule IV and consist of preparations containing limited quantities of certain narcotics. " }, { @@ -413,10 +413,10 @@ "label": "EPA|ECOTOX: Ecotoxicology knowledgebase version 4", "visibility": "PUBLIC", "longDescription": "The ECOTOX Knowledgebase is a comprehensive, dynamic, curated database that summarizes chemical environmental toxicity data on aquatic life, terrestrial plants, and wildlife. This publically available database includes curated data from over 47,000 publications and is updated quarterly. For more information on the ECOTOX Knowledgebase and to search the ECOTOX records, see: https://cfpub.epa.gov/ecotox/. This is the data snapshot as of June 30 2020. Curation is an ongoing process.\r\n", + "listName": "ECOTOX_v4", "chemicalCount": 13189, "createdAt": "2020-06-30T22:19:23Z", "updatedAt": "2022-06-21T18:41:36Z", - "listName": "ECOTOX_v4", "shortDescription": "ECOTOXicology knowledgebase (ECOTOX) is a comprehensive, publicly available knowledgebase providing single chemical environmental toxicity data on aquatic life, terrestrial plants and wildlife" }, { @@ -425,10 +425,10 @@ "label": "EPA|ECOTOX: Ecotoxicology knowledgebase version 5", "visibility": "PUBLIC", "longDescription": "The ECOTOX Knowledgebase is a comprehensive, dynamic, curated database that summarizes chemical environmental toxicity data on aquatic life, terrestrial plants, and wildlife. This publically available database includes curated data from over 47,000 publications and is updated quarterly. For more information on the ECOTOX Knowledgebase and to search the ECOTOX records, see: https://cfpub.epa.gov/ecotox/. This is the data snapshot as of September 30 2022. Curation is an ongoing process.", + "listName": "ECOTOX_v5", "chemicalCount": 12571, "createdAt": "2022-09-30T20:51:16Z", "updatedAt": "2022-11-08T13:10:47Z", - "listName": "ECOTOX_v5", "shortDescription": "ECOTOXicology knowledgebase (ECOTOX) is a comprehensive, publicly available knowledgebase providing single chemical environmental toxicity data on aquatic life, terrestrial plants and wildlife." }, { @@ -437,10 +437,10 @@ "label": "EPA|ECOTOX: Ecotoxicology knowledgebase version 6", "visibility": "PUBLIC", "longDescription": "The ECOTOX Knowledgebase is a comprehensive, dynamic, curated database that summarizes chemical environmental toxicity data on aquatic life, terrestrial plants, and wildlife. This publically available database includes curated data from over 47,000 publications and is updated quarterly. For more information on the ECOTOX Knowledgebase and to search the ECOTOX records, see: https://cfpub.epa.gov/ecotox/. This is the data snapshot as of February 5th 2023. Curation is an ongoing process.", + "listName": "ECOTOX_v6", "chemicalCount": 12690, "createdAt": "2023-02-05T23:13:55Z", "updatedAt": "2023-02-22T08:46:57Z", - "listName": "ECOTOX_v6", "shortDescription": "ECOTOXicology knowledgebase (ECOTOX) is a comprehensive, publicly available knowledgebase providing single chemical environmental toxicity data on aquatic life, terrestrial plants and wildlife." }, { @@ -449,10 +449,10 @@ "label": "EPA|ENDOCRINE: EDSP21 Tier 1 Screening Chemicals: List 1", "visibility": "PUBLIC", "longDescription": "The list of chemicals for initial EDSP Tier 1 Screening under the Endocrine Disruptor Screening Program includes chemicals that the Agency, in its discretion, decided should be tested first, based upon exposure potential. The final EDSP List 1 was announced in a Federal Register Notice<\/a> dated April 15, 2009.

\r\n\r\nThe second list of chemicals for initial EDSP Tier 1 Screening under the Endocrine Disruptor Screening Program includes a large number of pesticides, two perfluorocarbon compounds (PFCs), and four pharmaceuticals (erythromycin, lindane, nitroglycerin, and quinoline). It is available
here<\/a>.", + "listName": "EDSP21LIST1", "chemicalCount": 67, "createdAt": "2018-11-16T14:41:17Z", "updatedAt": "2019-05-18T21:00:25Z", - "listName": "EDSP21LIST1", "shortDescription": "EDSP21 Tier 1 Screening Chemicals: List 1" }, { @@ -461,10 +461,10 @@ "label": "EPA|ENDOCRINE: EDSP21 Tier 1 Screening Chemicals: List 2", "visibility": "PUBLIC", "longDescription": "The second list of chemicals for initial EDSP Tier 1 Screening under the Endocrine Disruptor Screening Program includes a large number of pesticides, two perfluorocarbon compounds (PFCs), and four pharmaceuticals (erythromycin, lindane, nitroglycerin, and quinoline). The final EDSP List 2 was announced in a Federal Register Notice<\/a> dated April 15, 2009.

\r\n\r\nThe first list of chemicals for initial EDSP Tier 1 Screening under the Endocrine Disruptor Screening is available
here<\/a>.", + "listName": "EDSP21LIST2", "chemicalCount": 107, "createdAt": "2018-11-16T14:42:41Z", "updatedAt": "2019-05-18T21:01:43Z", - "listName": "EDSP21LIST2", "shortDescription": "EDSP21 Tier 1 Screening Chemicals: List 2" }, { @@ -473,10 +473,10 @@ "label": "EPA|ENDOCRINE: EDSP Universe of Chemicals", "visibility": "PUBLIC", "longDescription": "EPA’s Endocrine Disruptor Screening Program<\/a> (EDSP) evaluates chemicals for potential endocrine disruption and there are thousands of chemicals of interest to the program, which make up the EDSP Universe of Chemicals. EPA researchers developed the EDSP Universe of Chemicals Dashboard to provide access to chemical data on over 1,800 chemicals of interest.\r\nThe purpose of the EDSP Dashboard is to help the Endocrine Disruptor Screening Program evaluate chemicals for endocrine-related activity. The data for this version of the Dashboard comes from various sources:

\r\n•\tRapid, automated (or in vitro high-throughput) chemical screening data generated by the EPA’s Toxicity Forecaster (ToxCast) project and the federal Toxicity Testing in the 21st century (Tox21) collaboration.
\r\n•\tChemical exposure data and prediction models (ExpoCastDB).
\r\n•\tHigh quality chemical structures and annotations (DSSTox).
\r\n•\tPhyschem Properties Database (PhysChemDB).

\r\nThe Dashboard displays bioassay information, bioactivity concentrations, estrogen and androgen receptor (ER and AR) model results, predicted physicochemical properties, and more. Current chemical and bioassay data can be accessed at
https://comptox.epa.gov/dashboard<\/a> and https://www.epa.gov/chemical-research/toxicity-forecaster-toxcasttm-data<\/a> . Published ER (PMID 26272952<\/a>) and AR (PMID 27933809<\/a>) model results are available for citation.

\r\nWhen using the Dashboard, keep in mind:

\r\n•\tThe activity of a chemical in a specific assay does not necessarily mean that it will cause toxicity or an adverse health outcome. There are many factors that determine whether a chemical will cause a specific adverse health outcome. Careful review is required to determine the use of the data in a particular decision context.
\r\n•\tInterpretation of ToxCast data is expected to change over time as both the science and analytical methods improve.
\r\n•\tAdditional substances that are not part of the EDSP’s statutory authority are included since they are relevant to EPA’s ongoing work on the validation of the endocrine and androgen bioactivity models.

\r\nEPA will continuously update chemicals on the EDSP Dashboard to include as much relevant information on chemicals in the EDSP
Universe of Chemicals<\/a> as possible. Some “EDSP Universe of Chemicals” do not have bioactivity information in the EDSP Dashboard because of the incompatibility of some chemicals to be tested in ToxCast (e.g., chemical too volatile, chemical not soluble in DMSO, etc.).

\r\nThe
list of the EDSP Universe of Chemicals<\/a> contains approximately 10,000 chemicals, as defined under FFDCA and SDWA 1996 amendments. \r\nThe Agency has also added test data on as many chemicals as possible to the EDSP Dashboard that were on EDSP List 1<\/a> and EDSP List 2<\/a>:

\r\n\r\n
EDSP List 1<\/a>: The list of chemicals for initial EDSP Tier 1 Screening under the Endocrine Disruptor Screening Program includes chemicals that the Agency, in its discretion, decided should be tested first, based upon exposure potential. The final EDSP List 1 was announced in a Federal Register Notice<\/a> dated April 15, 2009.

\r\n\r\n
EDSP List 2<\/a>: The second list of chemicals for initial EDSP Tier 1 Screening under the Endocrine Disruptor Screening Program includes a large number of pesticides, two perfluorocarbon compounds (PFCs), and four pharmaceuticals (erythromycin, lindane, nitroglycerin, and quinoline). The final EDSP List 2 was announced in a Federal Register Notice<\/a> dated June 14, 2013.

\r\n\r\nA dynamic table of preliminary
ER model scores<\/a> from the EDSP Dashboard resides in EPA's Endocrine Disruption website<\/a>.\r\n", + "listName": "EDSPUoC", "chemicalCount": 10045, "createdAt": "2016-09-19T15:46:21Z", "updatedAt": "2021-08-07T00:49:38Z", - "listName": "EDSPUoC", "shortDescription": "This list of EDSP-related chemicals on the EPA CompTox Dashboard is not a complete listing from the EDSP Universe of Chemicals." }, { @@ -485,10 +485,10 @@ "label": "CATEGORY|EPA|BIOPESTICIDES:Office of Pesticide Programs Information Network Biopesticides Subset List", "visibility": "PUBLIC", "longDescription": "The Office of Pesticide Programs has migrated all of its major data systems including regulatory and scientific data, workflow tracking and electronic document management into one integrated system, the Office of Pesticide Programs Information Network (OPPIN). OPPIN consolidates information now stored on the mainframe, the OPP LAN, on stand alone computers and in paper copy. This list represents a Biopesticides subset of the larger OPPIN list specifically labeled for use as biopesticides, sourced from https://www.epa.gov/ingredients-used-pesticide-products/biopesticide-active-ingredients<\/a>. (Last updated 8/17/2022 and under constant curation). ", + "listName": "EPABIOPESTICIDES", "chemicalCount": 313, "createdAt": "2022-03-31T17:59:22Z", "updatedAt": "2022-08-17T19:37:02Z", - "listName": "EPABIOPESTICIDES", "shortDescription": "CATEGORY|EPA|BIOPESTICIDES:Office of Pesticide Programs Information Network Biopesticides Subset List" }, { @@ -497,10 +497,10 @@ "label": "EPA|CHEMINV: ToxCast/Tox21 Chemical inventory available as DMSO solutions (20181123)", "visibility": "PUBLIC", "longDescription": "EPACHEMINV_AVAIL is a snapshot of the full list of unique DSSTox substances for which DMSO solutions are available through EPA Chemical Contract Services to supply ToxCast and Tox21 cross-partner projects. This inventory includes only those substances deemed soluble in DMSO at 5mM or higher concentrations, and excludes substances marked for volatility or reactivity concerns. EPACHEMINV_AVAIL includes EPA’s previous ToxCast inventory (a subset of (TOXCAST<\/a>) as well as approximately 1300 chemicals donated by the National Toxicology Program (NTP) as part of the Tox21 chemical library consolidation effort. This recently added NTP set represents the full portion of NTP’s original contribution to the Tox21 library (TOX21SL<\/a>) that was deemed to be non-overlapping with EPA’s current ToxCast library.

\r\nOf the total unique chemicals in EPACHEMINV_AVAIL, approximately 6000 were included in the original TOX21SL library (70% of the total), with the remainder in EPACHEMINV_AVAIL resulting from the continuous expansion of EPA’s ToxCast library. The remaining Tox21 chemicals not included in EPACHEMINV were either discontinued or were drugs originally contributed by the Tox21 NCATS (National Center for Advances in Translational Science) partner; future expansion of EPACHEMINV_AVAIL may include newly procured drugs provided by NCATS. Hence, in addition to supplying new ToxCast projects, EPACHEMINV_AVAIL is intended to serve as the new, consolidated TOX21 library moving forward, as outlined in the recently published Tox21 strategic and operational planning document (available at
https://www.ncbi.nlm.nih.gov/pubmed/29529324)<\/a>. The plan articulates areas of focused scientific investment, both in chemical and biological space, to which new Tox21 cross-partner projects will be directed.

\r\nFor more information on EPA’s ToxCast program, see:\r\n
https://www.epa.gov/chemical-research/toxicity-forecasting<\/a>

\r\nFor current information on the Tox21 program, see \r\n
https://tox21.gov/page/home<\/a>

\r\n", + "listName": "EPACHEMINV_AVAIL", "chemicalCount": 6408, "createdAt": "2018-11-21T16:54:55Z", "updatedAt": "2019-05-18T20:55:26Z", - "listName": "EPACHEMINV_AVAIL", "shortDescription": "EPACHEMINV_AVAIL is list of unique DSSTox substances available as DMSO solutions for ToxCast and Tox21 partner projects, managed by EPA Chemical Contract Services." }, { @@ -508,11 +508,11 @@ "type": "federal", "label": "WATER|EPA: Drinking Water Standard and Health Advisories Table", "visibility": "PUBLIC", - "longDescription": "The EPA's Drinking Water Standard and Health Advisories Table summarizes EPA's drinking water regulations and health advisories, as well as reference dose (RFD) and cancer risk values, for drinking water contaminants. The list given is published with Maximum Contaminant Levels (MCLs) and Maximum Contaminant Level Goals (MCLGs).", - "chemicalCount": 212, - "createdAt": "2018-05-04T22:34:47Z", - "updatedAt": "2019-10-21T13:23:27Z", + "longDescription": "The EPA's Drinking Water Standard and Health Advisories Table summarizes EPA's drinking water regulations and health advisories, as well as reference dose (RFD) and cancer risk values, for drinking water contaminants. The list given is published with Maximum Contaminant Levels (MCLs) and Maximum Contaminant Level Goals (MCLGs). Updated (8/18/2024) with PFAS chemicals: Perfluorooctanoic acid (PFOA), Perfluorooctanesulfonic acid (PFOS), Hexafluoropropylene Oxide (HFPO) Dimer Acid and its Ammonium Salt, Perfluorobutanesulfonic acid and its Potassium Salt (PFBS)", "listName": "EPADWS", + "chemicalCount": 216, + "createdAt": "2018-05-04T22:34:47Z", + "updatedAt": "2024-08-18T01:19:38Z", "shortDescription": "The EPA's Drinking Water Standard and Health Advisories Table summarizes EPA's drinking water regulations and health advisories, as well as reference dose (RFD) and cancer risk values, for drinking water contaminants." }, { @@ -521,10 +521,10 @@ "label": "EPA|ECOTOX: Fathead Minnow Acute Toxicity ", "visibility": "PUBLIC", "longDescription": "The EPA Fathead Minnow Acute Toxicity database was generated by the U.S. EPA Mid-Continental Ecology Division (MED) for the purpose of developing an expert system to predict acute toxicity from chemical structure based on mode of action considerations. Hence, an important and unusual characteristic of this toxicity database is that the 617 tested industrial organic chemicals were expressly chosen to serve as a useful training set for development of predictive quantitative structure-activity relationships (QSARs). A second valuable aspect of this database, from a QSAR modeling perspective, is the inclusion of general mode-of-action (MOA) classifications of acute toxicity response for individual chemicals derived from study results. These MOA assignments are biologically based classifications, allowing definition of chemical similarity based upon biological activity instead of organic chemistry functional class as most commonly employed in QSAR study. MOA classifications should strengthen the scientific basis for construction of individual QSARs. However, it is cautioned that the broad MOA categorizations should not be construed to represent a single molecular mechanism; for example, CNS seizure agents and respiratory inhibitors are known to act through a variety of receptors. The DSSTox EPAFHM database includes information pertaining to organic chemical class assignments (ChemClass_FHM), acute toxicity in fathead minnow (LC50_mg), dose-response assessments (LC50_Ratio, ExcessToxicityIndex), behavioral assessments (FishBehaviorTest), joint toxicity MOA evaluations of mixtures (MOA_MixtureTest), and additional MOA evaluation of fish acute toxicity syndrome (FishAcuteToxSyndrome) in rainbow trout. All of these indicators, to the extent available, were considered in the determination of MOA and, additionally, were used to determine a level of confidence in the MOA assignment for each chemical (MOA_Confidence). ", + "listName": "EPAFHM", "chemicalCount": 617, "createdAt": "2008-02-15T00:00:00Z", "updatedAt": "2018-11-16T21:01:46Z", - "listName": "EPAFHM", "shortDescription": "The EPA Fathead Minnow Acute Toxicity database was generated by the U.S. EPA Mid-Continental Ecology Division (MED)" }, { @@ -533,10 +533,10 @@ "label": "EPA| List of Hazardous Air Pollutants", "visibility": "PUBLIC", "longDescription": "Under the Clean Air Act, EPA is required to regulate emissions of hazardous air pollutants. This is the current list of pollutants (Final rule effective: February 4, 2022). \r\n\r\nNOTE: For all listings above which contain the word 'compounds' and for glycol ethers, the following applies: Unless otherwise specified, these listings are defined as including any unique chemical substance that contains the named chemical (i.e., antimony, arsenic, etc.) as part of that chemical's infrastructure.\r\n", + "listName": "EPAHAPS", "chemicalCount": 188, "createdAt": "2023-01-31T20:30:58Z", "updatedAt": "2023-02-01T10:07:45Z", - "listName": "EPAHAPS", "shortDescription": "Under the Clean Air Act, EPA is required to regulate emissions of hazardous air pollutants. This is the current list of pollutants (Final rule effective: February 4, 2022)." }, { @@ -545,10 +545,10 @@ "label": "WATER|EPA; Chemicals associated with hydraulic fracturing", "visibility": "PUBLIC", "longDescription": "Chemicals used in hydraulic fracturing fluids and/or identified in produced water from 2005-2013, corresponding to chemicals listed in Appendix H of EPA’s Hydraulic Fracking Drinking Water Assessment Final Report (Dec 2016). Citation: U.S. EPA, Hydraulic Fracturing for Oil and Gas: Impacts from the Hydraulic Fracturing Water Cycle on Drinking Water Resources in the United States (Final Report). U.S. Environmental Protection Agency, Washington, D.C. EPA/600/R-16/236F, 2016.
https://www.epa.gov/hfstudy<\/a>

\r\n\r\n\r\n*Note that Appendix H chemical listings in Tables H-2 and H-4 were mapped to current DSSTox content, which has undergone additional curation since the publication of the original EPA HF Report (Dec 2016). In the few cases where a Chemical Name and CASRN from the original report map to distinct substances (as of Jan 2018), both were included in the current EPAHFR chemical listing for completeness; additionally, 34 previously unmapped chemicals in Table H-5 are now registered in DSSTox (all but 2 assigned CASRN) and, thus, have been added to the current EPAHFR listing.", + "listName": "EPAHFR", "chemicalCount": 1640, "createdAt": "2018-01-29T18:59:12Z", "updatedAt": "2018-11-16T21:02:48Z", - "listName": "EPAHFR", "shortDescription": "EPAHFR lists chemicals associated with hydraulic fracturing from 2005-20013, as reported in EPA’s Hydraulic Fracturing Drinking Water Assessment Final Report (Dec 2016)" }, { @@ -557,10 +557,10 @@ "label": "WATER|EPA; Chemicals in hydraulic fracturing fluids Table H-2", "visibility": "PUBLIC", "longDescription": "Table H-2 . Chemicals reported to be used in hydraulic fracturing fluids from 2005-2013 corresponding to chemicals listed in Appendix H of EPA’s Hydraulic Fracking Drinking Water Assessment Final Report (Dec 2016). Citation: U.S. EPA, Hydraulic Fracturing for Oil and Gas: Impacts from the Hydraulic Fracturing Water Cycle on Drinking Water Resources in the United States (Final Report). U.S. Environmental Protection Agency, Washington, D.C. EPA/600/R-16/236F, 2016. https://www.epa.gov/hfstudy\r\n\r\n", + "listName": "EPAHFRTABLE2", "chemicalCount": 1082, "createdAt": "2018-11-16T14:44:27Z", "updatedAt": "2018-11-16T21:03:49Z", - "listName": "EPAHFRTABLE2", "shortDescription": "Table H-2 . Chemicals reported to be used in hydraulic fracturing fluids from 2005-2013" }, { @@ -569,10 +569,10 @@ "label": "EPA: High Production Volume List ", "visibility": "PUBLIC", "longDescription": "The United States High Production Volume (USHPV) database contains information about chemicals that are included in the High Production Volume (HPV) Challenge Program. Chemicals considered to be HPV are those that are manufactured in or imported into the United States in amounts equal to or greater than one million pounds per year. The goal of the HPV Challenge Program is to complete baseline testing on HPV chemicals by the year 2004. The Environmental Protection Agency (EPA) is challenging the chemical industry to undertake testing on HPV chemicals voluntarily. However, EPA will mandate testing of all HPV chemicals by law under the testing authority of Section 4 of the Toxic Substance Control Act (TSCA).", + "listName": "EPAHPV", "chemicalCount": 4297, "createdAt": "2017-07-25T09:32:45Z", "updatedAt": "2018-11-18T21:50:19Z", - "listName": "EPAHPV", "shortDescription": "The United States High Production Volume (USHPV) database contains information about chemicals that are included in the High Production Volume (HPV) Challenge Program." }, { @@ -581,10 +581,10 @@ "label": "EPA: Mechanism of Action (MoA) for aquatic toxicity", "visibility": "PUBLIC", "longDescription": "The mode of toxic action (MOA) has been recognized as a key determinant of chemical toxicity andas an alternative to chemical class-based predictive toxicity modeling. However, the development of quantitative structure activity relationship (QSAR) and other models has been limited by the avail-ability of comprehensive high quality MOA and toxicity databases. A study developed a dataset of MOA assignments for 1213 chemicals that included a diversity of metals, pesticides, and other organic compounds that encompassed six broad and 31 specific MOAs. MOA assignments were made using a combination of high confidence approaches that included international consensus classifications, QSAR predictions, and weight of evidence professional judgment based on an assessment of structure and literature information. ", + "listName": "EPAMOA", "chemicalCount": 1227, "createdAt": "2015-04-15T13:49:07Z", "updatedAt": "2018-11-18T22:00:30Z", - "listName": "EPAMOA", "shortDescription": "MOAtox: A Comprehensive Mode of Action and Acute Aquatic Toxicity Database for Predictive Model Development" }, { @@ -593,10 +593,10 @@ "label": "EPA Office of Pesticide Programs Information Network (OPPIN)", "visibility": "PUBLIC", "longDescription": "The Office of Pesticide Programs has migrated all of its major data systems including regulatory and scientific data, workflow tracking and electronic document management into one integrated system, the Office of Pesticide Programs Information Network (OPPIN). OPPIN consolidates information now stored on the mainframe, the OPP LAN, on stand alone computers and in paper copy.", + "listName": "EPAOPPIN", "chemicalCount": 4071, "createdAt": "2019-10-28T19:31:49Z", "updatedAt": "2023-07-30T13:38:13Z", - "listName": "EPAOPPIN", "shortDescription": "EPA's Office of Pesticide Programs Information Network (OPPIN)" }, { @@ -605,10 +605,10 @@ "label": "EPA: Provisional Advisory Levels", "visibility": "PUBLIC", "longDescription": "The unanticipated, emergency release of chemicals can cause harm to emergency responders and bystanders. EPA/ORD’s National Homeland Security Research Center (NHSRC) develops health-based Provisional Advisory Levels (PALs) for high priority chemicals including toxic industrial chemicals and chemical warfare agents.These help emergency responders decide whether and for how long humans can be temporarily exposed to unanticipated, uncontrolled chemical releases such as accidents, terrorist attacks and natural disasters. The values are derived using peer reviewed risk assessment methods, and they are specifically tailored to the short term human exposures most associated with emergency releases and clean-up operations. ", + "listName": "EPAPALS", "chemicalCount": 54, "createdAt": "2019-11-16T09:26:25Z", "updatedAt": "2019-11-16T09:47:22Z", - "listName": "EPAPALS", "shortDescription": "Provisional Advisory Levels (PALs) for high priority chemicals including toxic industrial chemicals and chemical warfare agents." }, { @@ -617,10 +617,10 @@ "label": "PESTICIDES|EPA: Pesticide Chemical Search Database", "visibility": "PUBLIC", "longDescription": "The entries in this list have been classified in the U.S. as pesticidal “active ingredients” (conventional, antimicrobial, or biopesticidal agents), and were sourced from the Pesticide Chemical Search database (
https://iaspub.epa.gov/apex/pesticides/f?p=chemicalsearch:1<\/a>) created by EPA’s Office of Pesticide Programs.

\r\nChemical Search provides a single point of reference for easy access to information previously published in a variety of locations, including various EPA web pages and Regulations.gov. Chemical search contains the following:
1) More than 20,000 regulatory documents;
2) Links to over 800 dockets in Regulations.gov
3) Links to pesticide tolerance (or maximum residue levels) information;
4) A variety of web services providing easy access to other scientific and regulatory information on particular chemicals from other EPA programs and federal government sources.

\r\nIt should be noted that the Pesticide Chemical Search site is not actively maintained and the various chemicals can be out of date in terms of status.\r\n\r\n\r\n", + "listName": "EPAPCS", "chemicalCount": 4039, "createdAt": "2017-11-07T13:48:05Z", "updatedAt": "2019-10-25T22:10:41Z", - "listName": "EPAPCS", "shortDescription": "The entries in this list have been classified in the U.S. as pesticidal “active ingredients” (conventional, antimicrobial, or biopesticidal agents), and were sourced from the Pesticide Chemical Search database." }, { @@ -629,10 +629,10 @@ "label": "CATEGORY|EPA: Pesticide Inerts Fragrance Ingredient List UPDATED 09/16/2020", "visibility": "PUBLIC", "longDescription": "Inert pesticide ingredients on the Fragrance Ingredient List are nonfood use only, but are subject to additional limitations and requirements, as described in EPA’s guidance on the Pesticides Fragrance Notification Pilot Program. For more information, see:
as defined by EPA<\/a>", + "listName": "EPAPESTINERTFRAG", "chemicalCount": 1334, "createdAt": "2020-09-25T13:48:59Z", "updatedAt": "2023-11-30T15:10:57Z", - "listName": "EPAPESTINERTFRAG", "shortDescription": "EPA Pesticide Inert Fragrance Ingredient List (FIL), nonfood use only UPDATED 09/16/2020" }, { @@ -641,10 +641,10 @@ "label": "PFAS|EPA: List of 75 Test Samples (Set 1)", "visibility": "PUBLIC", "longDescription": "Per- and Polyfluoroalkyl Substances (PFAS) list corresponds to 75 samples (Set 1) submitted for the initial testing screens conducted by EPA researchers in collaboration with researchers at the National Toxicology Program. The set of 75 samples consists of 74 unique substances (DTXSID3037709, Potassium perfluorohexanesulfonate duplicated in set, procured from 2 different suppliers). Substances were selected based on a prioritization scheme that considered EPA Agency priorities, exposure/occurrence considerations, availability of animal or in vitro<\/i> toxicity data, and ability to procure in non-gaseous form and solubilize samples in DMSO. For more information, see:\r\nhttps://ehp.niehs.nih.gov/doi/full/10.1289/EHP4555<\/a>\r\n", + "listName": "EPAPFAS75S1", "chemicalCount": 74, "createdAt": "2018-06-29T17:20:24Z", "updatedAt": "2019-02-06T17:08:23Z", - "listName": "EPAPFAS75S1", "shortDescription": "PFAS list corresponds to 75 samples (Set 1) submitted for initial testing screens conducted by EPA researchers in collaboration with researchers at the National Toxicology Program." }, { @@ -653,10 +653,10 @@ "label": "PFAS|EPA: List of 75 Test Samples (Set 2)", "visibility": "PUBLIC", "longDescription": "Per- and Polyfluoroalkyl Substances (PFAS) list corresponds to a second set of 75 samples (Set 2) submitted for the testing screens conducted by EPA researchers in collaboration with researchers at the National Toxicology Program. The list of the first set of 75 samples (Set 1) can be accessed at EPAPFAS75S1<\/a>. Substances for both Set 1 and Set 2 were selected based on a prioritization scheme that considered EPA Agency priorities, exposure/occurrence considerations, availability of animal or in vitro<\/i> toxicity data, and ability to procure in non-gaseous form and solubilize samples in DMSO. For more information, see:\r\nhttps://ehp.niehs.nih.gov/doi/full/10.1289/EHP4555<\/a>

Update (20Mar2019): Due to concerns for corrosivity and reactivity, the following 2 PFAS chemicals were removed from Set 2 and were not submitted for testing and analysis: DTXSID9041578, Trifluoroacetic acid, 76-05-1 and DTXSID2044397 Trifluoromethanesulfonic acid, 1493-13-6. \r\n\r\n", + "listName": "EPAPFAS75S2", "chemicalCount": 76, "createdAt": "2019-02-06T16:02:23Z", "updatedAt": "2021-09-28T22:49:25Z", - "listName": "EPAPFAS75S2", "shortDescription": "PFAS list corresponds to a second set of 75 samples (Set 2) submitted for testing screens conducted by EPA researchers in collaboration with researchers at the National Toxicology Program." }, { @@ -665,10 +665,10 @@ "label": "PFAS|EPA Structure-based Categories", "visibility": "PUBLIC", "longDescription": "List of registered DSSTox “category substances” representing Per- and Polyfluoroalkyl Substances (PFAS) categories created using ChemAxon’s Markush structure-based query representations. Markush categories can be broad and inclusive of more specific categories or can represent a unique category not overlapping with other registered categories. Each PFAS category registered with a unique DTXSID is considered a generalized substance or “parent ID” that can be associated with one or many “child IDs” (i.e. many parent-child mappings) within the full DSSTox database. These category DTXSIDs can be used to search and retrieve all currently registered DSSTox substances within the category group, and offer an objective, transparent and reproducible structure-based means of defining a category of chemicals. This list and the corresponding category mappings are undergoing continuous curation and expansion.", + "listName": "EPAPFASCAT", "chemicalCount": 112, "createdAt": "2020-05-29T13:21:01Z", "updatedAt": "2021-06-15T17:25:54Z", - "listName": "EPAPFASCAT", "shortDescription": "List of registered DSSTox “category substances” representing PFAS categories created using ChemAxon’s Markush structure-based query representations." }, { @@ -677,10 +677,10 @@ "label": "PFAS|EPA: New EPA Method Drinking Water", "visibility": "PUBLIC", "longDescription": "EPA is developing and validating a new method for detecting these PFAS in drinking water sources. ", + "listName": "EPAPFASDW", "chemicalCount": 26, "createdAt": "2019-11-16T11:10:32Z", "updatedAt": "2020-04-20T17:30:51Z", - "listName": "EPAPFASDW", "shortDescription": "EPA is developing and validating a new method for detecting these PFAS in drinking water sources. " }, { @@ -689,10 +689,10 @@ "label": "PFAS|EPA: Chemical Inventory Insoluble in DMSO", "visibility": "PUBLIC", "longDescription": "Per- and Polyfluoroalkyl Substances (PFASs) in EPA’s expanded ToxCast chemical inventory that were determined to be insoluble in DMSO above 5mM concentration. These PFAS chemicals were successfully procured from commercial suppliers (with a small number provided by National Toxicology Program partners) but deemed unsuitable for testing due to limited DMSO solubility. For a complete list of solubilized PFAS in EPA’s inventory, see
https://comptox.epa.gov/dashboard/chemical_lists/EPAPFASINV<\/a>\r\n", + "listName": "EPAPFASINSOL", "chemicalCount": 43, "createdAt": "2018-06-29T20:53:14Z", "updatedAt": "2018-11-16T21:05:48Z", - "listName": "EPAPFASINSOL", "shortDescription": "PFAS chemicals included in EPA’s expanded ToxCast chemical inventory found to be insoluble in DMSO above 5mM." }, { @@ -701,10 +701,10 @@ "label": "PFAS|EPA: ToxCast Chemical Inventory", "visibility": "PUBLIC", "longDescription": "Per- and Polyfluoroalkyl Substances (PFAS) included in EPA’s expanded ToxCast chemical inventory and available for testing. These PFAS chemicals were successfully procured from commercial suppliers (with a small number provided by National Toxicology Program partners) and were deemed suitable for testing (i.e., solubilized in DMSO above 5mM, and not gaseous or highly reactive). All or portions of this inventory are being made available to EPA researchers and collaborators to be analyzed and tested in various high-throughput screening (HTS) and high-throughput toxicity (HTT) assays.

The
https://comptox.epa.gov/dashboard/chemical_lists/EPAPFAS75S1<\/a> list is a prioritized subset of this larger chemical inventory.

The
https://comptox.epa.gov/dashboard/chemical_lists/EPAPFASINSOL<\/a> list were chemicals procured, but found to be insoluble in DMSO above 5mM.\r\n", + "listName": "EPAPFASINV", "chemicalCount": 430, "createdAt": "2018-06-29T20:41:08Z", "updatedAt": "2018-11-16T21:06:37Z", - "listName": "EPAPFASINV", "shortDescription": "PFAS chemicals included in EPA’s expanded ToxCast chemical inventory and available for testing." }, { @@ -713,10 +713,10 @@ "label": "PFAS|EPA: Cross-Agency Research List", "visibility": "PUBLIC", "longDescription": "EPAPFASRL is a manually curated listing of mainly straight-chain and branched PFAS (Per- & Poly-fluorinated alkyl substances) compiled from various internal, literature and public sources by EPA researchers and program office representatives. Note that this list includes a number of parent, salt and anionic forms of PFAS, the latter being the form detected by mass spectroscopic methods. These different forms are assigned unique DTXSIDs, with a unique structure, CAS (if available) and name, but will collapse to a single form in the MS-ready (or QSAR-ready) structure representations. ", + "listName": "EPAPFASRL", "chemicalCount": 199, "createdAt": "2017-11-16T17:01:14Z", "updatedAt": "2018-11-16T21:07:16Z", - "listName": "EPAPFASRL", "shortDescription": "EPAPFASRL is a manually curated listing of mainly straight-chain and branched PFAS (Per- & Poly-fluorinated alkyl substances) compiled from various internal, literature and public sources by EPA researchers and program office representatives." }, { @@ -725,10 +725,10 @@ "label": "PFAS|EPA|WATER: PFAS with Validated EPA Drinking Water Methods", "visibility": "PUBLIC", "longDescription": "List of PFAS for which a Standard Drinking Water method (537.1 or 533) exists and which will potentially to be included in UCMR5 (2023-2025)", + "listName": "EPAPFASVALDW", "chemicalCount": 31, "createdAt": "2020-04-20T12:37:25Z", "updatedAt": "2021-09-28T22:51:17Z", - "listName": "EPAPFASVALDW", "shortDescription": "List of PFAS for which a Standard Drinking Water method (537.1 or 533) exists " }, { @@ -737,10 +737,10 @@ "label": "EPA Substance Registry Service (May 2022)", "visibility": "PUBLIC", "longDescription": "Substance Registry Services (SRS) is the Environmental Protection Agency's (EPA) central system for information about substances that are tracked or regulated by EPA or other sources. It is the authoritative resource for basic information about chemicals, biological organisms, and other substances of interest to EPA and its state and tribal partners.\r\n\r\nThe SRS makes it possible to identify which EPA data systems, environmental statutes, or other sources have information about a substance and which synonym is used by that system or statute. It becomes possible therefore to map substance data across EPA programs regardless of synonym.\r\n\r\nThe system provides a common basis for identification of, and information about:\r\n\r\nChemicals\r\nBiological organisms\r\nPhysical properties\r\nMiscellaneous objects\r\n\r\n(Updated May 2022)", + "listName": "EPASRS2022V2", "chemicalCount": 31352, "createdAt": "2022-05-28T16:02:59Z", "updatedAt": "2022-10-03T09:08:20Z", - "listName": "EPASRS2022V2", "shortDescription": "The Substance Registry Services (SRS) is an EPA resource for information about chemicals, biological organisms, and other substances tracked or regulated by EPA. (Updated May 2022)\r\n" }, { @@ -749,10 +749,10 @@ "label": "EPA|EPA Substance Registry Service (January 2023)", "visibility": "PUBLIC", "longDescription": "Substance Registry Services (SRS) is the Environmental Protection Agency's (EPA) central system for information about substances that are tracked or regulated by EPA or other sources. It is the authoritative resource for basic information about chemicals, biological organisms, and other substances of interest to EPA and its state and tribal partners.\r\n\r\nThe SRS makes it possible to identify which EPA data systems, environmental statutes, or other sources have information about a substance and which synonym is used by that system or statute. It becomes possible therefore to map substance data across EPA programs regardless of synonym.\r\n\r\nThe system provides a common basis for identification of, and information about:\r\n\r\nChemicals\r\nBiological organisms\r\nPhysical properties\r\nMiscellaneous objects\r\n\r\n(Updated January 2023)", + "listName": "EPASRS2022V4", "chemicalCount": 93563, "createdAt": "2023-01-29T10:46:52Z", "updatedAt": "2023-04-16T18:58:49Z", - "listName": "EPASRS2022V4", "shortDescription": "The Substance Registry Services (SRS) is an EPA resource for information about chemicals, biological organisms, and other substances tracked or regulated by EPA. (Updated January 2023)" }, { @@ -761,10 +761,10 @@ "label": "Consolidated List of Lists under EPCRA/CERCLA/CAA §112(r) (June 2019 Version)", "visibility": "PUBLIC", "longDescription": "The List of Lists is a consolidated list of chemicals subject to:
\r\n\r\nEmergency Planning and Community Right-to-Know Act (EPCRA),
\r\n\r\nComprehensive Environmental Response, Compensation and Liability Act (CERCLA), and
\r\n\r\nSection 112(r) of the Clean Air Act (CAA).
\r\n\r\n", + "listName": "EPCRALISTS", "chemicalCount": 1361, "createdAt": "2020-07-06T22:19:14Z", "updatedAt": "2020-07-06T22:20:59Z", - "listName": "EPCRALISTS", "shortDescription": "The List of Lists is a consolidated list of chemicals subject to: Emergency Planning and Community Right-to-Know Act (EPCRA), Comprehensive Environmental Response, Compensation and Liability Act (CERCLA), and Section 112(r) of the Clean Air Act (CAA). " }, { @@ -773,10 +773,10 @@ "label": "EPA|ENDOCRINE: Integrated pathway model for the Estrogen Receptor", "visibility": "PUBLIC", "longDescription": "Dataset associated with \"Integrated Model of Chemical Perturbations of a Biological Pathway Using 18 In Vitro High-Throughput Screening Assays for the Estrogen Receptor\" by Judson et al.
(LINK)<\/a> A computational network model that integrates 18 in vitro, high-throughput screening assays measuring estrogen receptor (ER) binding, dimerization, chromatin binding, transcriptional activation, and ER-dependent cell proliferation. The network model uses activity patterns across the in vitro assays to predict whether a chemical is an ER agonist or antagonist, or is otherwise influencing the assays through a manner dependent on the physics and chemistry of the technology platform (“assay interference”). The method is applied to a library of 1812 commercial and environmental chemicals, including 45 ER positive and negative reference chemicals. ", + "listName": "ERMODEL", "chemicalCount": 1812, "createdAt": "2018-11-16T14:49:48Z", "updatedAt": "2019-05-18T21:04:11Z", - "listName": "ERMODEL", "shortDescription": "Dataset associated with \"Integrated Model of Chemical Perturbations of a Biological Pathway Using 18 In Vitro High-Throughput Screening Assays for the Estrogen Receptor\" by Judson et al. " }, { @@ -785,10 +785,10 @@ "label": "FDA Cumulative Estimated Daily Intake Database", "visibility": "PUBLIC", "longDescription": "The database of cumulative estimated daily intakes (CEDIs) was developed by the Office of Food Additive Safety (OFAS) as part of the premarket notification process for food contact substances(FCSs).", + "listName": "FDACEDI", "chemicalCount": 1277, "createdAt": "2021-05-22T21:30:15Z", "updatedAt": "2021-09-29T10:14:07Z", - "listName": "FDACEDI", "shortDescription": "FDA database of cumulative estimated daily intakes" }, { @@ -797,10 +797,10 @@ "label": "CATEGORY|FOOD: Substances Added to Food (formerly EAFUS)", "visibility": "PUBLIC", "longDescription": "The Substances Added to Food inventory replaces what was previously known as Everything Added to Foods in the United States (EAFUS).\r\n\r\nThe Substances Added to Food inventory includes the following types of ingredients regulated by the U.S. Food and Drug Administration (FDA):\r\n\r\n-Food additives and color additives that are listed in FDA regulations (21 CFR Parts 172, 173 and Parts 73, 74 respectively), and flavoring substances evaluated by FEMA* and JECFA*.\r\n-Generally Recognized as Safe (\"GRAS\") substances that are listed in FDA regulations (21 CFR Parts 182 and 184).\r\n-Substances approved for specific uses in foods prior to September 6, 1958, known as prior-sanctioned substances (21 CFR Part 181).", + "listName": "FDAFOODSUBS", "chemicalCount": 3128, "createdAt": "2020-01-30T08:06:21Z", "updatedAt": "2020-10-28T11:35:14Z", - "listName": "FDAFOODSUBS", "shortDescription": "The Substances Added to Food inventory replaces what was previously known as Everything Added to Foods in the United States (EAFUS)." }, { @@ -809,10 +809,10 @@ "label": "FDA Center for Drug Evaluation & Research - Maximum (Recommended) Daily Dose ", "visibility": "PUBLIC", "longDescription": "FDA Center for Drug Evaluation & Research - Maximum (Recommended) Daily Dose ", + "listName": "FDAMDD", "chemicalCount": 1216, "createdAt": "2008-02-15T00:00:00Z", "updatedAt": "2021-10-04T10:30:19Z", - "listName": "FDAMDD", "shortDescription": "FDA Center for Drug Evaluation & Research - Maximum (Recommended) Daily Dose " }, { @@ -821,10 +821,10 @@ "label": "FDA Orange Book: Approved Drug Products with Therapeutic Equivalence Evaluations", "visibility": "PUBLIC", "longDescription": "The publication \"Approved Drug Products with Therapeutic Equivalence Evaluations\" (commonly known as the Orange Book) identifies drug products approved on the basis of safety and effectiveness by the Food and Drug Administration (FDA) under the Federal Food, Drug, and Cosmetic Act (the Act) and related patent and exclusivity information. Chemical names were collected from the ingredients listed in the product.txt file contained within the zipfile available on the \"Orange Book Data Files (compressed)\" link available on this page<\/a>.", + "listName": "FDAORANGE", "chemicalCount": 2039, "createdAt": "2020-02-01T20:52:05Z", "updatedAt": "2023-11-22T08:23:03Z", - "listName": "FDAORANGE", "shortDescription": "The FDA Orange Book: \"Approved Drug Products with Therapeutic Equivalence Evaluations\" " }, { @@ -833,10 +833,10 @@ "label": "LIST: FDA UNII List April 12th 2021 Download", "visibility": "PUBLIC", "longDescription": "FDA’s Global Substance Registration System Unique Ingredient Identifiers (UNIIs) file: April 12th 2021 download subset of chemicals with CASRN and/or structure SMILES\r\n\r\nTo this end, FDA’s Health Informatics team, NIH's National Center for Advancing Translational Sciences (NCATS), and the European Medicines Agency (EMA) have collaborated to create a Global Substance Registration System (GSRS) that will enable the efficient and accurate exchange of information on what substances are in regulated products.\r\n\r\nInstead of relying on names--which vary across regulatory domains, countries, and regions—the GSRS knowledge base makes it possible for substances to be defined by standardized, scientific descriptions. It classifies substances as chemical, protein, nucleic acid, polymer, structurally diverse, or mixture as detailed in the ISO 11238 (International Organization for Standardization) and ISO DTS 19844. FDA’s GSRS generates Unique Ingredient Identifiers (UNIIs) used in electronic listings.", + "listName": "FDAUNII0421", "chemicalCount": 61056, "createdAt": "2021-06-01T22:25:07Z", "updatedAt": "2023-12-30T11:52:55Z", - "listName": "FDAUNII0421", "shortDescription": "FDA’s Global Substance Registration System Unique Ingredient Identifiers (UNIIs) file: April 12th 2021 download subset of chemicals with CASRN and/or structure SMILES" }, { @@ -845,10 +845,10 @@ "label": "GlobalWarming_Title40Part98", "visibility": "PUBLIC", "longDescription": "Chemicals listed in Table A-1 to Subpart A of Part 98 - Global Warming Potentials [100-Year Time Horizon] in the electronic code of Federal Regulations (e-CFR)<\/a>.", + "listName": "GLOBALWARMING", "chemicalCount": 165, "createdAt": "2020-07-29T23:39:19Z", "updatedAt": "2024-03-14T20:11:29Z", - "listName": "GLOBALWARMING", "shortDescription": "Chemicals with global warming potentials listed in Table A-1 to Subpart A of Part 98 of the electronic code of Federal Regulations (e-CFR)" }, { @@ -857,10 +857,10 @@ "label": "Health-Based Screening Levels for Evaluating Water-Quality Data", "visibility": "PUBLIC", "longDescription": "Health-Based Screening Levels (HBSLs) are non-enforceable water-quality benchmarks that can be used to (1) supplement U.S. Environmental Protection Agency (USEPA) Maximum Contaminant Levels (MCLs) and Human Health Benchmarks for Pesticides (HHBPs), (2) determine whether contaminants found in surface-water or groundwater sources of drinking water may indicate a potential human-health concern, and (3) help prioritize monitoring efforts. HBSLs were developed by the U.S. Geological Survey (USGS) National Water-Quality Assessment (NAWQA) Project for contaminants without USEPA MCLs or HHBPs.", + "listName": "HBSL", "chemicalCount": 802, "createdAt": "2021-01-25T20:46:41Z", "updatedAt": "2021-02-02T08:37:41Z", - "listName": "HBSL", "shortDescription": "Health-Based Screening Levels (HBSLs) are non-enforceable water-quality benchmarks" }, { @@ -869,10 +869,10 @@ "label": "EPA; Chemicals mapped to HERO ", "visibility": "PUBLIC", "longDescription": "The Health and Environmental Research Online (HERO) database provides an easy way to access and influence the scientific literature behind EPA science assessments.\r\n\r\nThe database includes more than 600,000 scientific references and data from the peer-reviewed literature used by EPA to develop its regulations for the following: Integrated Science Assessments (ISA) that feed into the NAAQS<\/a> review, Provisional Peer Reviewed Toxicity Values (PPRTV<\/a>) that represent human health toxicity values for the Superfund, and the Integrated Risk Information System (IRIS), a database that supports critical agency policymaking for chemical regulation. These assessments supported by HERO characterize the nature and magnitude of health risks to humans and the ecosystem from pollutants and chemicals in the environment.\r\n\r\nHERO is an EVERGREEN database, this means that new studies are continuously added so scientists can keep abreast of current research. Imported references are systematically sorted, classified and made available for search and citation. \r\n\r\nHERO is part of the open government directive<\/a> to conduct business with transparency, participation, and collaboration. Every American has the right to know the data behind EPA's regulatory process. With HERO, the public can participate in the decision-making process.", + "listName": "HEROMAP", "chemicalCount": 495, "createdAt": "2017-02-16T09:35:15Z", "updatedAt": "2018-11-16T21:29:55Z", - "listName": "HEROMAP", "shortDescription": "The Health and Environmental Research Online (HERO) database provides an easy way to access and influence the scientific literature behind EPA science assessments." }, { @@ -881,10 +881,10 @@ "label": "EPA HTPP Reference Set - Nyffeler et al. 2019", "visibility": "PUBLIC", "longDescription": "List of chemicals used by EPA researchers to identify reference chemicals for high-throughput phenotypic profiling in U-2 OS cells. List includes 14 reference chemicals from Gustafsdottir et al. 2013 [Gustafsdottir, S. M., et al. \"Multiplex cytological profiling assay to measure diverse cellular states.\" PloS one 8.12 (2013): e80999.], two negative controls and two cytotoxic chemicals. For more information, see: Nyffeler et al., Bioactivity screening of environmental chemicals using high-throughput phenotypic profiling (submitted for publication). See also HTPP2019_SCREEN<\/a>.", + "listName": "HTPP2019_REFSET", "chemicalCount": 18, "createdAt": "2019-11-15T19:10:55Z", "updatedAt": "2022-05-12T05:08:19Z", - "listName": "HTPP2019_REFSET", "shortDescription": "List of chemicals used by EPA researchers to identify reference chemicals for high-throughput phenotypic profiling in U-2 OS cells. " }, { @@ -893,10 +893,10 @@ "label": "EPA HTPP Screening Set - Nyffeler et al. 2019", "visibility": "PUBLIC", "longDescription": "List of chemicals screened by EPA researchers in high-throughput phenotypic profiling in U-2 OS cells. For more information, see: Nyffeler et al., Bioactivity screening of environmental chemicals using high-throughput phenotypic profiling<\/a>. See also HTPP2019_REFSET<\/a>.\r\n\r\n\r\n", + "listName": "HTPP2019_SCREEN", "chemicalCount": 462, "createdAt": "2019-11-15T18:59:31Z", "updatedAt": "2022-05-12T05:07:37Z", - "listName": "HTPP2019_SCREEN", "shortDescription": "List of chemicals screened by EPA researchers in high-throughput phenotypic profiling in U-2 OS cells. " }, { @@ -905,10 +905,10 @@ "label": "EPA: Hazardous Waste P & U Lists", "visibility": "PUBLIC", "longDescription": "A solid waste is a hazardous waste if it is specifically listed as a known hazardous waste or meets the characteristics of a hazardous waste. Listed wastes are wastes from common manufacturing and industrial processes, specific industries and can be generated from discarded commercial products. Characteristic wastes are wastes that exhibit any one or more of the following characteristic properties: ignitability, corrosivity, reactivity or toxicity.\r\n\r\nThe P and U lists<\/a> designate as hazardous waste pure and commercial grade formulations of certain unused chemicals that are being disposed. For a waste to be considered a P- or U-listed waste it must meeting the following three criteria:\r\n\r\nThe waste must contain one of the chemicals listed on the P or U list;\r\nThe chemical in the waste must be unused; and\r\nThe chemical in the waste must be in the form of a commercial chemical product.\r\nEPA defines a commercial chemical product for P and U list purposes as a chemical that is either 100 percent pure, technical (e.g., commercial) grade or the sole active ingredient in a chemical formulation.\r\n\r\nThe P-list identifies acute hazardous wastes from discarded commercial chemical products. The P-list can be found at \r\n40 CFR section 261.33<\/a>. The U-list wastes can be found at 40 CFR section 261.33<\/a>.", + "listName": "HZRDWASTEPU", "chemicalCount": 371, "createdAt": "2020-04-14T12:55:07Z", "updatedAt": "2020-04-14T13:15:33Z", - "listName": "HZRDWASTEPU", "shortDescription": "The P and U Hazardous Waste lists designate as hazardous waste pure and commercial grade formulations of certain unused chemicals that are being disposed." }, { @@ -917,10 +917,10 @@ "label": "ICCVAM: local lymph node assay (LLNA) 2009", "visibility": "PUBLIC", "longDescription": "On behalf of ICCVAM, NICEATM conducted a number of analyses to evaluate the use of the murine local lymph node assay (LLNA) to identify potential skin sensitizers. This list was compiled during those evaluations and includes chemicals with well-characterized activity as skin sensitizers or nonsensitizers. It was originally published in the 2009 ICCVAM Recommended Performance Standards for the Murine Local Lymph Node Assay. The list includes results (positive vs. negative) for each chemical as available for the LLNA, guinea pig maximization or Buehler test, human maximization test, and human patch test allergen tests.", + "listName": "ICCVAMLLNA", "chemicalCount": 22, "createdAt": "2018-05-01T23:00:16Z", "updatedAt": "2018-11-18T18:26:19Z", - "listName": "ICCVAMLLNA", "shortDescription": "On behalf of ICCVAM, NICEATM conducted a number of analyses to evaluate the use of the murine local lymph node assay (LLNA) to identify potential skin sensitizers. " }, { @@ -929,10 +929,10 @@ "label": "ICCVAM: In vitro ocular toxicity test methods", "visibility": "PUBLIC", "longDescription": "Recommended Substances for Optimization or Validation of In Vitro Ocular Toxicity Test Methods. Published as Appendix H in: Interagency Coordinating Committee on the Validation of Alternative Methods (ICCVAM), NTP Interagency Center for the Evaluation of Alternative Toxicological Methods (NICEATM). ICCVAM test method evaluation report: in vitro ocular toxicity test methods for identifying severe irritants and corrosives. National Institute of Environmental Health Sciences; 2006 Nov. NIH Publication No.: 07-4517.", + "listName": "ICCVAMOCULAR", "chemicalCount": 118, "createdAt": "2018-07-27T23:23:29Z", "updatedAt": "2018-11-18T20:04:36Z", - "listName": "ICCVAMOCULAR", "shortDescription": "Recommended Substances for Optimization or Validation of In Vitro Ocular Toxicity Test Methods" }, { @@ -941,10 +941,10 @@ "label": "ICCVAM: In Vitro cytotoxicity test methods", "visibility": "PUBLIC", "longDescription": "Recommended Reference Substances for Evaluation of In Vitro Basal Cytotoxicity Methods for Predicting the Starting Dose for Rodent Acute Oral Toxicity Tests. Published as Table 3-1 in: \r\nInteragency Coordinating Committee on the Validation of Alternative Methods (ICCVAM), NTP Interagency Center for the Evaluation of Alternative Toxicological Methods (NICEATM). ICCVAM test method evaluation report: in vitro cytotoxicity test methods for estimating starting doses for acute oral systemic toxicity tests. National Institute of Environmental Health Sciences; 2006 Nov. NIH Publication No.: 07-4519.", + "listName": "ICCVAMORALTOX", "chemicalCount": 35, "createdAt": "2018-07-27T23:15:40Z", "updatedAt": "2018-11-16T21:35:41Z", - "listName": "ICCVAMORALTOX", "shortDescription": "ICCVAM test method evaluation report: in vitro cytotoxicity test methods for estimating starting doses for acute oral systemic toxicity tests" }, { @@ -953,10 +953,10 @@ "label": "ICCVAM: Skin Corrosion 2004 collection from NIEHS", "visibility": "PUBLIC", "longDescription": "This is a list of recommended chemicals for evaluation of in vitro skin corrosion test methods originally published in a 2004 ICCVAM performance standards document describing essential test method components for three types of in vitro skin corrosion test methods: membrane barrier test systems (\"MB\"), human skin model systems (\"HSM\", or transcutaneal electrical resistance test systems (\"TER\"). The original file can be downloaded from the NIEHS website at ICCVAM Skin Corrosion 2004<\/a>

", + "listName": "ICCVAMSKIN", "chemicalCount": 58, "createdAt": "2018-04-30T22:52:13Z", "updatedAt": "2018-11-16T21:34:24Z", - "listName": "ICCVAMSKIN", "shortDescription": "This is a list of recommended chemicals for evaluation of in vitro skin corrosion test methods originally published in a 2004 ICCVAM performance standards document. " }, { @@ -965,10 +965,10 @@ "label": "PESTICIDES: InertFinder", "visibility": "PUBLIC", "longDescription": "InertFinder is a database that allows pesticide formulators and other interested parties to easily identify chemicals approved for use as inert ingredients in pesticide products. It will allow registrants developing new products or new product formulations to readily determine which inert ingredients may be acceptable for use and make the same information more readily available to the public. This subset list is the
Non-Food Use chemicals available on InertFinder<\/a>.", + "listName": "INERTNONFOOD", "chemicalCount": 5484, "createdAt": "2020-11-16T20:59:19Z", "updatedAt": "2023-12-29T13:35:01Z", - "listName": "INERTNONFOOD", "shortDescription": "List of chemicals listed in InertFinder as Non-Food Use Chemicals\r\n" }, { @@ -977,10 +977,10 @@ "label": "EPA: IRIS Chemicals", "visibility": "PUBLIC", "longDescription": "The IRIS Program is located within EPA’s Center for Public Health and Environmental Assessment (CPHEA) in the Office of Research and Development (ORD). EPA’s IRIS Program identifies and characterizes the health hazards of chemicals found in the environment. Each IRIS assessment can cover a chemical, a group of related chemicals, or a complex mixture. IRIS assessments provide the following toxicity values for health effects resulting from chronic exposure to chemical: Reference Concentration (RfC), Reference Dose (RfD), Cancer descriptors, Oral slope factors (OSF) and Inhalation unit risk (IUR).", + "listName": "IRIS", "chemicalCount": 603, "createdAt": "2017-01-12T12:46:44Z", "updatedAt": "2023-02-21T16:35:04Z", - "listName": "IRIS", "shortDescription": "EPA’s IRIS Program identifies and characterizes the health hazards of chemicals found in the environment. Each IRIS assessment can cover a chemical, a group of related chemicals, or a complex mixture." }, { @@ -989,10 +989,10 @@ "label": "EPA: IRIS current non-cancer assessments (as of February 21st 2023)", "visibility": "PUBLIC", "longDescription": "The IRIS Program is located within EPA’s Center for Public Health and Environmental Assessment (CPHEA) in the Office of Research and Development (ORD). EPA’s IRIS Program identifies and characterizes the health hazards of chemicals found in the environment. Each IRIS assessment can cover a chemical, a group of related chemicals, or a complex mixture. IRIS assessments provide toxicity values and slope factors for health effects resulting from chronic exposure to chemicals. This list contains chemicals with current (non-archived) non-cancer assessments containing reference dose (RfD) and reference concentrations (RfC).", + "listName": "IRISNONCANCER", "chemicalCount": 396, "createdAt": "2023-02-21T09:16:06Z", "updatedAt": "2023-02-21T16:29:26Z", - "listName": "IRISNONCANCER", "shortDescription": "IRIS list containing chemicals with current (non-archived) non-cancer assessments containing reference dose (RfD) and reference concentrations (RfC)." }, { @@ -1001,10 +1001,10 @@ "label": "EPA: National-Scale Air Toxics Assessment (NATA)", "visibility": "PUBLIC", "longDescription": "The National-Scale Air Toxics Assessment (NATA) is EPA's ongoing comprehensive evaluation of air toxics in the United States. EPA developed the NATA as a state-of-the-science screening tool for State/Local/Tribal Agencies to prioritize pollutants, emission sources and locations of interest for further study in order to gain a better understanding of risks. NATA assessments do not incorporate refined information about emission sources but, rather, use general information about sources to develop estimates of risks which are more likely to overestimate impacts than underestimate them.\r\n\r\nNATA provides estimates of the risk of cancer and other serious health effects from breathing (inhaling) air toxics in order to inform both national and more localized efforts to identify and prioritize air toxics, emission source types and locations which are of greatest potential concern in terms of contributing to population risk. This in turn helps air pollution experts focus limited analytical resources on areas and or populations where the potential for health risks are highest. Assessments include estimates of cancer and non-cancer health effects based on chronic exposure from outdoor sources, including assessments of non-cancer health effects for Diesel Particulate Matter (PM). Assessments provide a snapshot of the outdoor air quality and the risks to human health that would result if air toxic emissions levels remained unchanged.", + "listName": "NATADB", "chemicalCount": 163, "createdAt": "2018-02-21T12:04:16Z", "updatedAt": "2018-11-16T21:42:01Z", - "listName": "NATADB", "shortDescription": "The National-Scale Air Toxics Assessment (NATA) is EPA's ongoing comprehensive evaluation of air toxics in the United States." }, { @@ -1013,10 +1013,10 @@ "label": "LIST: National Health and Nutrition Examination Survey (NHANES) data", "visibility": "PUBLIC", "longDescription": "The U.S. Centers for Disease Control and Prevention (CDC) conducts the National Health and Nutrition Examination Survey (NHANES), which has determined representative blood, serum, or urine values for the U.S. population of the chemicals on this list at least once in past twenty years.", + "listName": "NHANES2019", "chemicalCount": 412, "createdAt": "2019-09-15T19:49:15Z", "updatedAt": "2019-09-15T19:50:18Z", - "listName": "NHANES2019", "shortDescription": "U.S. Centers for Disease Control and Prevention (CDC) conducts the National Health and Nutrition Examination Survey (NHANES) data" }, { @@ -1025,10 +1025,10 @@ "label": "NIOSH: International Chemical Safety Cards", "visibility": "PUBLIC", "longDescription": "The International Chemical Safety Cards (ICSC) summarize essential health and safety information on chemicals for their use at the \"shop floor\" level by workers and employers in factories, agriculture, construction and other work places. ICSC summarize health and safety information collected, verified, and peer reviewed by internationally recognized experts, taking into account advice from manufacturers and Poison Control Centres.\r\n\r\n", + "listName": "NIOSHICSC", "chemicalCount": 1609, "createdAt": "2017-07-21T15:47:01Z", "updatedAt": "2018-11-16T21:45:03Z", - "listName": "NIOSHICSC", "shortDescription": "The International Chemical Safety Cards (ICSC) summarize essential health and safety information on chemicals." }, { @@ -1037,10 +1037,10 @@ "label": "NIOSH: Immediately Dangerous To Life or Health Values", "visibility": "PUBLIC", "longDescription": "The immediately dangerous to life or health (IDLH) values used by the National Institute for Occupational Safety and Health (NIOSH) as respirator selection criteria were first developed in the mid-1970's. The original IDLH values were developed as part of a joint effort by OSHA and NIOSH called the Standard Completion Program (SCP). The goal of the SCP was to develop substance-specific draft standards with supporting documentation that contained technical information and recommendations needed for the promulgation of new occupational health regulations, such as the IDLH values. The Documentation for Immediately Dangerous to Life or Health (IDLH) Concentrations is a compilation of the rationale and sources of information used by NIOSH during the original determination of 387 SCP IDLH values.", + "listName": "NIOSHIDLH", "chemicalCount": 372, "createdAt": "2017-07-23T06:38:14Z", "updatedAt": "2018-11-16T21:45:44Z", - "listName": "NIOSHIDLH", "shortDescription": "The immediately dangerous to life or health (IDLH) values are used by the National Institute for Occupational Safety and Health (NIOSH) as respirator selection criteria." }, { @@ -1049,10 +1049,10 @@ "label": "NIOSH: Pocket Guide to Chemical Hazards", "visibility": "PUBLIC", "longDescription": "The NIOSH Pocket Guide to Chemical Hazards (NPG) informs workers, employers, and occupational health professionals about workplace chemicals and their hazards. The NPG gives general industrial hygiene information for hundreds of chemicals/classes. The NPG clearly presents key data for chemicals or substance groupings (such as cyanides, fluorides, manganese compounds) that are found in workplaces. The guide offers key facts, but does not give all relevant data. The NPG helps users recognize and control workplace chemical hazards.", + "listName": "NIOSHNPG", "chemicalCount": 615, "createdAt": "2017-07-22T14:47:16Z", "updatedAt": "2018-11-16T21:45:25Z", - "listName": "NIOSHNPG", "shortDescription": "The NIOSH Pocket Guide to Chemical Hazards (NPG) informs workers, employers, and occupational health professionals about workplace chemicals and their hazards." }, { @@ -1061,10 +1061,10 @@ "label": "NIOSH: Skin Notation Profiles", "visibility": "PUBLIC", "longDescription": "The NIOSH skin notations relies on multiple skin notations to provide users a warning on the direct, systemic, and sensitizing effects of exposures of the skin to chemicals. Historically, skin notations have been published in the NIOSH Pocket Guide to Chemical Hazards. This practice will continue with the NIOSH skin notation assignments for each evaluated chemical being integrated as they become available. A support document called a Skin Notation Profile will be developed for each evaluated chemical. The Skin Notation Profile for a chemical will provide information supplemental to the skin notation, including a summary of all relevant data used to aid in determining the hazards associated with skin exposures .", + "listName": "NIOSHSKIN", "chemicalCount": 57, "createdAt": "2017-07-13T09:54:02Z", "updatedAt": "2018-11-18T19:17:01Z", - "listName": "NIOSHSKIN", "shortDescription": "NIOSH skin notations relies on multiple skin notations to provide warnings re. direct, systemic, and sensitizing effects of exposures to chemicals. " }, { @@ -1073,10 +1073,10 @@ "label": "US National Response Team Chemical Set", "visibility": "PUBLIC", "longDescription": "The U.S. National Response Team (NRT) is an organization of 15 Federal departments and agencies responsible for coordinating emergency preparedness and response to oil and hazardous substance pollution incidents. The Environment Protection Agency (EPA) and the U.S. Coast Guard (USCG) serve as Chair and Vice Chair respectively. The National Oil and Hazardous Substances Pollution Contingency Plan (NCP) and the Code of Federal Regulations (40 CFR part 300) outline the role of the NRT and Regional Response Teams (RRTs). The response teams are also cited in various federal statutes, including Superfund Amendments and Reauthorization Act (SARA) – Title III and the Hazardous Materials Transportation Act [HMTA]. The chemicals list here is sourced from the Chemical Hazards Page<\/a>\r\n\r\n", + "listName": "NRTCHEMICALS", "chemicalCount": 18, "createdAt": "2018-05-11T16:06:32Z", "updatedAt": "2018-08-15T09:24:16Z", - "listName": "NRTCHEMICALS", "shortDescription": "The U.S. National Response Team (NRT) is an organization of 15 Federal departments and agencies responsible for coordinating emergency preparedness and response to oil and hazardous substance pollution incidents." }, { @@ -1085,10 +1085,10 @@ "label": "WATER: National Recommended Water Quality Criteria - Human Health Criteria Table", "visibility": "PUBLIC", "longDescription": "Human health ambient water quality criteria represent specific levels of chemicals or conditions in a water body that are not expected to cause adverse effects to human health. EPA provides recommendations for “water + organism” and “organism only” human health criteria for states and authorized tribes to consider when adopting criteria into their water quality standards. These human health criteria are developed by EPA under Section 304(a) of the Clean Water Act. Details are at https://www.epa.gov/wqc/national-recommended-water-quality-criteria-human-health-criteria-table<\/a> \r\n\r\n", + "listName": "NWATRQHHC", "chemicalCount": 116, "createdAt": "2018-05-04T21:34:21Z", "updatedAt": "2018-11-16T21:51:14Z", - "listName": "NWATRQHHC", "shortDescription": "Human health ambient water quality criteria represent specific levels of chemicals or conditions in a water body that are not expected to cause adverse effects to human health. " }, { @@ -1097,10 +1097,10 @@ "label": "EPA Regional Screening Levels Data Chemicals List", "visibility": "PUBLIC", "longDescription": "The Regional Screening Levels (RSLs) Generic Tables contain chemical-specific parameters necessary for the calculation of Regional screening Levels (RSLs) for Superfund sites. The RSL tables provide comparison values for residential and commercial/industrial exposures to soil, air, and water. The RSLs are primarily used to determine contaminants of potential concern (COPCs). A more expansive description of the Regional Screening Levels (RSLs) Generic Tables is given here<\/a>.", + "listName": "ORNLRSL", "chemicalCount": 1706, "createdAt": "2020-02-17T21:01:10Z", "updatedAt": "2020-02-19T11:53:36Z", - "listName": "ORNLRSL", "shortDescription": "Chemicals associated with the Regional Screening Levels (RSLs) Generic Tables" }, { @@ -1109,10 +1109,10 @@ "label": "Ozone Depleting Substances Class 1", "visibility": "PUBLIC", "longDescription": "List of Ozone Depleting Substances contained in Class 1. The chemicals were sourced from the \r\n Ozone Depleting Substances EPA website<\/a>.", + "listName": "OZONECL1", "chemicalCount": 293, "createdAt": "2022-04-22T18:11:57Z", "updatedAt": "2022-05-28T07:45:55Z", - "listName": "OZONECL1", "shortDescription": "List of Ozone Depleting Substances contained in Class 1" }, { @@ -1121,10 +1121,10 @@ "label": "Ozone Depleting Substances Class 2", "visibility": "PUBLIC", "longDescription": "List of Ozone Depleting Substances contained in Class 2. The chemicals were sourced from the \r\n Ozone Depleting Substances EPA website<\/a>.", + "listName": "OZONECL2", "chemicalCount": 34, "createdAt": "2022-04-22T18:18:27Z", "updatedAt": "2022-04-22T18:21:21Z", - "listName": "OZONECL2", "shortDescription": "List of Ozone Depleting Substances contained in Class 2" }, { @@ -1133,10 +1133,10 @@ "label": "EPA: Provisional Advisory Levels (Inhalation)", "visibility": "PUBLIC", "longDescription": "To support emergency response decisions and ensure the safety of responders and the public after an unanticipated chemical release, EPA researchers developed Provisional Advisory Levels (PALs). PALs are tiered risk values developed for oral and inhalation exposures to high priority chemicals, including toxic industrial chemicals and chemical warfare agents. They are not “safe” levels of exposure – PALs represent exposure scenarios wherein effects of varying severity should be expected to occur; similar to Acute Exposure Guideline Levels (AEGLs).\r\n \r\nPALs are derived using peer reviewed risk assessment methods; they specifically address short term oral and inhalation exposures associated with emergency situations. Three tiers (PAL1, PAL2, and PAL3), distinguished by the severity of expected health outcomes, are developed for 24-hour, 30-day, and 90-day durations of exposure. These risk values can be requested from EPA ORD’s Center for Environmental Solutions and Emergency Response. The PALs Technical Brief<\/a> and Standing Operating Procedure<\/a> are available for download. \r\n\r\nThis set of chemicals represents the list for which INHALATION PALs values are available.\r\n\r\n\r\n", + "listName": "PALSINHALATION", "chemicalCount": 71, "createdAt": "2020-05-15T16:52:19Z", "updatedAt": "2020-05-15T16:53:00Z", - "listName": "PALSINHALATION", "shortDescription": "INHALATION Provisional Advisory Levels (PALs) for high priority chemicals including toxic industrial chemicals and chemical warfare agents." }, { @@ -1145,10 +1145,10 @@ "label": "EPA: Provisional Advisory Levels (Oral)", "visibility": "PUBLIC", "longDescription": "To support emergency response decisions and ensure the safety of responders and the public after an unanticipated chemical release, EPA researchers developed Provisional Advisory Levels (PALs). PALs are tiered risk values developed for oral and inhalation exposures to high priority chemicals, including toxic industrial chemicals and chemical warfare agents. They are not “safe” levels of exposure – PALs represent exposure scenarios wherein effects of varying severity should be expected to occur; similar to Acute Exposure Guideline Levels (AEGLs).\r\n \r\nPALs are derived using peer reviewed risk assessment methods; they specifically address short term oral and inhalation exposures associated with emergency situations. Three tiers (PAL1, PAL2, and PAL3), distinguished by the severity of expected health outcomes, are developed for 24-hour, 30-day, and 90-day durations of exposure. These risk values can be requested from EPA ORD’s Center for Environmental Solutions and Emergency Response. The PALs Technical Brief<\/a> and Standing Operating Procedure<\/a> are available for download. \r\n\r\nThis set of chemicals represents the list for which ORAL PALs values are available.\r\n\r\n\r\n", + "listName": "PALSORAL", "chemicalCount": 46, "createdAt": "2020-05-15T15:13:39Z", "updatedAt": "2020-05-15T15:14:19Z", - "listName": "PALSORAL", "shortDescription": "ORAL Provisional Advisory Levels (PALs) for high priority chemicals including toxic industrial chemicals and chemical warfare agents." }, { @@ -1157,10 +1157,10 @@ "label": "EPA|PESTICIDES: 2021 Human Health Benchmarks for Pesticides", "visibility": "PUBLIC", "longDescription": "Advanced testing methods now allow for the detection of pesticides in water at very low levels. Small amounts of pesticides detected in drinking water or source water for drinking water do not necessarily indicate a health risk to consumers. EPA has developed human health benchmarks for 430 pesticides to provide information to enable Tribes, states, and water systems to evaluate: (1) whether the detection level of a pesticide in drinking water or sources of drinking water may indicate a potential health risk; and (2) to help to prioritize water monitoring efforts.\r\n\r\nThe HHBPs Table includes noncancer benchmarks for exposure to pesticides that may be found in surface or ground water sources of drinking water. Noncancer benchmarks for acute (one-day) and chronic (lifetime) drinking water exposures to each pesticide were derived for the most sensitive life stage, based on the available information. The table also includes cancer benchmarks for 48 of the pesticides that have toxicity information that indicates the potential to lead to cancer. The HHBP table includes pesticides for which EPA’s Office of Pesticide Programs has available toxicity data but for which EPA has not yet developed either enforceable National Primary Drinking Water Regulations (i.e., MCLs) or non-enforceable HAs. The list of 2021 Human Health Benchmarks is available here<\/a>.\r\n", + "listName": "PESTHHBS", "chemicalCount": 448, "createdAt": "2023-02-17T18:45:51Z", "updatedAt": "2023-02-17T18:52:40Z", - "listName": "PESTHHBS", "shortDescription": "EPA has developed human health benchmarks for 430 pesticides." }, { @@ -1169,10 +1169,10 @@ "label": "PFAS|Toxic Substances Control Act Reporting and Recordkeeping Requirements for Perfluoroalkyl and Polyfluoroalkyl Substances: Section 8(a)(7) Rule List of Chemicals", "visibility": "PUBLIC", "longDescription": "EPA promulgated a reporting and recordkeeping rule for perfluoroalkyl and polyfluoroalkyl substances (PFAS) under the Toxic Substances Control Act (TSCA) section 8(a)(7)<\/a>. Any entity who has manufactured a PFAS that is a TSCA chemical substance for commercial purposes in any year since January 1, 2011, is required to submit certain information to EPA. For the purpose of this TSCA section 8(a)(7) rule, EPA defines PFAS to include at least one of these three structures: 1) R-(CF2<\/sub>)-CF(R’)R”, where both the CF2<\/sub> and CF moieties are saturated carbons; 2) R-CF2<\/sub>OCF2<\/sub>-R’, where R and R’ can either be F, O, or saturated carbons; 3) CF3<\/sub>C(CF3<\/sub>)R’R’’, where R’ and R” can either be F or saturated carbons.<\/br> <\/br>\r\nThe list below is a subset of reportable substances and includes chemicals on the EPA Comptox Chemicals Dashboard that meet this rule’s structural definition of PFAS, including chemical substances from the publicly available TSCA Inventory and Low-Volume Exemption submissions that would meet the structural definition (~10% of the total number of compounds). While this list includes substances beyond the known TSCA universe to provide as comprehensive a list as possible to potential reporting entities, it is not exhaustive and does not contain polymers or UVCBs (Unknown or Variable compositions, Complex reaction products, and Biological materials)<\/a> which may be covered by the rule. Substances that meet the rule’s structural definition but are not found on this list may be found on the TSCA 8(a)(7) PFAS Chemicals list in the System of Registries<\/a>. <\/br> <\/br>\r\nNote that the list could change as the chemicals included on the CompTox Chemicals Dashboard are expanded or otherwise as modified. Such changes will be noted and curated in a transparent manner. Last Updated (April 24th 2024). For the versioned lists please use the hyperlinked lists below.

\r\n\r\n
PFAS8a7v3 - April 24th 2024<\/a> This List

\r\n
PFAS8a7v2 - March 29th 2024<\/a>

\r\n
PFAS8a7V1 - December 6th 2023<\/a>

\r\n", + "listName": "PFAS8a7", "chemicalCount": 13054, "createdAt": "2024-04-24T10:05:04Z", "updatedAt": "2024-04-24T10:06:27Z", - "listName": "PFAS8a7", "shortDescription": "List of PFAS chemicals that meets the TSCA section 8(a)(7) rule structural definition of PFAS" }, { @@ -1181,10 +1181,10 @@ "label": "PFAS|Toxic Substances Control Act Reporting and Recordkeeping Requirements for Perfluoroalkyl and Polyfluoroalkyl Substances: Section 8(a)(7) Rule List of Chemicals (Version 1)", "visibility": "PUBLIC", "longDescription": "EPA promulgated a reporting and recordkeeping rule for perfluoroalkyl and polyfluoroalkyl substances (PFAS) under the
Toxic Substances Control Act (TSCA) section 8(a)(7)<\/a>. Any entity who has manufactured a PFAS that is a TSCA chemical substance for commercial purposes in any year since January 1, 2011, is required to submit certain information to EPA. For the purpose of this TSCA section 8(a)(7) rule, EPA defines PFAS to include at least one of these three structures: 1) R-(CF2<\/sub>)-CF(R’)R”, where both the CF2<\/sub> and CF moieties are saturated carbons; 2) R-CF2<\/sub>OCF2<\/sub>-R’, where R and R’ can either be F, O, or saturated carbons; 3) CF3<\/sub>C(CF3<\/sub>)R’R’’, where R’ and R” can either be F or saturated carbons.<\/br> <\/br>\r\nThe list below is a subset of reportable substances and includes chemicals on the EPA Comptox Chemicals Dashboard that meet this rule’s structural definition of PFAS, including chemical substances from the publicly available TSCA Inventory and Low-Volume Exemption submissions that would meet the structural definition (~10% of the total number of compounds). While this list includes substances beyond the known TSCA universe to provide as comprehensive a list as possible to potential reporting entities, it is not exhaustive and does not contain polymers or UVCBs (Unknown or Variable compositions, Complex reaction products, and Biological materials)<\/a> which may be covered by the rule. Substances that meet the rule’s structural definition but are not found on this list may be found on the TSCA 8(a)(7) PFAS Chemicals list in the System of Registries<\/a>. <\/br> <\/br>\r\nNote that the list could change as the chemicals included on the CompTox Chemicals Dashboard are expanded or otherwise as modified. Such changes will be noted and curated in a transparent manner. <\/br> <\/br>\r\n(Version 1: created December 6th 2023)\r\n", + "listName": "PFAS8a7v1", "chemicalCount": 11409, "createdAt": "2023-11-06T20:45:20Z", "updatedAt": "2024-03-30T20:26:05Z", - "listName": "PFAS8a7v1", "shortDescription": "List of PFAS chemicals that meets the TSCA section 8(a)(7) rule structural definition of PFAS (Version 1: created December 6th 2023)" }, { @@ -1193,10 +1193,10 @@ "label": "PFAS|Toxic Substances Control Act Reporting and Recordkeeping Requirements for Perfluoroalkyl and Polyfluoroalkyl Substances: Section 8(a)(7) Rule List of Chemicals (Version 2)", "visibility": "PUBLIC", "longDescription": "EPA promulgated a reporting and recordkeeping rule for perfluoroalkyl and polyfluoroalkyl substances (PFAS) under the Toxic Substances Control Act (TSCA) section 8(a)(7)<\/a>. Any entity who has manufactured a PFAS that is a TSCA chemical substance for commercial purposes in any year since January 1, 2011, is required to submit certain information to EPA. For the purpose of this TSCA section 8(a)(7) rule, EPA defines PFAS to include at least one of these three structures: 1) R-(CF2<\/sub>)-CF(R’)R”, where both the CF2<\/sub> and CF moieties are saturated carbons; 2) R-CF2<\/sub>OCF2<\/sub>-R’, where R and R’ can either be F, O, or saturated carbons; 3) CF3<\/sub>C(CF3<\/sub>)R’R’’, where R’ and R” can either be F or saturated carbons.<\/br> <\/br>\r\nThe list below is a subset of reportable substances and includes chemicals on the EPA Comptox Chemicals Dashboard that meet this rule’s structural definition of PFAS, including chemical substances from the publicly available TSCA Inventory and Low-Volume Exemption submissions that would meet the structural definition (~10% of the total number of compounds). While this list includes substances beyond the known TSCA universe to provide as comprehensive a list as possible to potential reporting entities, it is not exhaustive and does not contain polymers or UVCBs (Unknown or Variable compositions, Complex reaction products, and Biological materials)<\/a> which may be covered by the rule. Substances that meet the rule’s structural definition but are not found on this list may be found on the TSCA 8(a)(7) PFAS Chemicals list in the System of Registries<\/a>. <\/br> <\/br>\r\nNote that the list could change as the chemicals included on the CompTox Chemicals Dashboard are expanded or otherwise as modified. Such changes will be noted and curated in a transparent manner. <\/br> <\/br>\r\n(last updated March 29th 2024)", + "listName": "PFAS8a7v2", "chemicalCount": 12990, "createdAt": "2024-03-30T20:51:20Z", "updatedAt": "2024-03-30T20:53:06Z", - "listName": "PFAS8a7v2", "shortDescription": "List of PFAS chemicals that meets the TSCA section 8(a)(7) rule structural definition of PFAS (last updated March 29th 2024)" }, { @@ -1205,10 +1205,10 @@ "label": "PFAS|Toxic Substances Control Act Reporting and Recordkeeping Requirements for Perfluoroalkyl and Polyfluoroalkyl Substances: Section 8(a)(7) Rule List of Chemicals (Version 3)", "visibility": "PUBLIC", "longDescription": "EPA promulgated a reporting and recordkeeping rule for perfluoroalkyl and polyfluoroalkyl substances (PFAS) under the Toxic Substances Control Act (TSCA) section 8(a)(7)<\/a>. Any entity who has manufactured a PFAS that is a TSCA chemical substance for commercial purposes in any year since January 1, 2011, is required to submit certain information to EPA. For the purpose of this TSCA section 8(a)(7) rule, EPA defines PFAS to include at least one of these three structures: 1) R-(CF2<\/sub>)-CF(R’)R”, where both the CF2<\/sub> and CF moieties are saturated carbons; 2) R-CF2<\/sub>OCF2<\/sub>-R’, where R and R’ can either be F, O, or saturated carbons; 3) CF3<\/sub>C(CF3<\/sub>)R’R’’, where R’ and R” can either be F or saturated carbons.<\/br> <\/br>\r\nThe list below is a subset of reportable substances and includes chemicals on the EPA Comptox Chemicals Dashboard that meet this rule’s structural definition of PFAS, including chemical substances from the publicly available TSCA Inventory and Low-Volume Exemption submissions that would meet the structural definition (~10% of the total number of compounds). While this list includes substances beyond the known TSCA universe to provide as comprehensive a list as possible to potential reporting entities, it is not exhaustive and does not contain polymers or UVCBs (Unknown or Variable compositions, Complex reaction products, and Biological materials)<\/a> which may be covered by the rule. Substances that meet the rule’s structural definition but are not found on this list may be found on the TSCA 8(a)(7) PFAS Chemicals list in the System of Registries<\/a>. <\/br> <\/br>\r\nNote that the list could change as the chemicals included on the CompTox Chemicals Dashboard are expanded or otherwise as modified. Such changes will be noted and curated in a transparent manner. <\/br> <\/br>\r\n(last updated April 24th 2024)", + "listName": "PFAS8a7v3", "chemicalCount": 13054, "createdAt": "2024-04-24T09:21:53Z", "updatedAt": "2024-04-25T16:31:14Z", - "listName": "PFAS8a7v3", "shortDescription": "List of PFAS chemicals that meets the TSCA section 8(a)(7) rule structural definition of PFAS (last updated April 24th 2024)" }, { @@ -1217,10 +1217,10 @@ "label": "PFAS|Markush Structures", "visibility": "PUBLIC", "longDescription": "List of all registered DSSTox Per- and Polyfluoroalkyl Substances (PFAS) created using ChemAxon’s Markush structure-based query representations. Markush structures can be broad and represent typical PFAS categories or they can represent mixtures or polymers containing ambiguous or generalized structural elements (s.a., unknown location of substituent, or variable chain length). Each PFAS Markush registered with a unique DTXSID is considered a generalized substance or “parent ID” that can be associated with one or many “child IDs” (i.e., many parent-child mappings) within the full DSSTox database. These mixture or category DTXSIDs can be used to search and retrieve all currently registered DSSTox substances within the group, and offer an objective, transparent and reproducible structure-based means of defining a generalized set of chemicals. This list encompasses the content of another registered list (EPAPFASCAT), the latter containing only the subset representing category mappings. ", + "listName": "PFASMARKUSH", "chemicalCount": 326, "createdAt": "2018-06-29T17:55:55Z", "updatedAt": "2021-12-07T07:29:17Z", - "listName": "PFASMARKUSH", "shortDescription": "List of all registered DSSTox PFAS substances represented by Markush structures, created using ChemAxon’s Markush query representations; includes PFAS category, mixture and polymer types." }, { @@ -1229,10 +1229,10 @@ "label": "PFAS|EPA PFAS Substances in Pesticide Packaging", "visibility": "PUBLIC", "longDescription": "On March 5, 2021, EPA released testing data showing PFAS contamination from the fluorinated HDPE containers used to store and transport a mosquito control pesticide product. A description of the project is given here.<\/a>", + "listName": "PFASPACKAGING", "chemicalCount": 8, "createdAt": "2021-08-04T22:37:08Z", "updatedAt": "2021-08-04T22:37:33Z", - "listName": "PFASPACKAGING", "shortDescription": "PFAS chemicals detected in fluorinated HDPE containers" }, { @@ -1241,10 +1241,10 @@ "label": "PFAS|EPA: PFAS structures in DSSTox (update November 2019)", "visibility": "PUBLIC", "longDescription": "List consists of all DTXSID records with a structure assigned, and where the structure contains the substructure RCF2CFR'R\" (R cannot be H). The substructure filter is designed to be simple, reproducible and transparent, yet general enough to encompass the largest set of structures having sufficient levels of fluorination to potentially impart PFAS-type properties (update November 2019).", + "listName": "PFASSTRUCTV2", "chemicalCount": 6648, "createdAt": "2019-11-16T16:26:14Z", "updatedAt": "2022-08-19T00:19:48Z", - "listName": "PFASSTRUCTV2", "shortDescription": "List consists of all records with a structure assigned, and using a set of substructural filters. " }, { @@ -1253,10 +1253,10 @@ "label": "PFAS|EPA: PFAS structures in DSSTox (update Aug 2021)", "visibility": "PUBLIC", "longDescription": "List consists of all DTXSID records with a structure assigned and using a set of substructural filters based on community input. The substructural filters (visible here<\/a>) are designed to be simple, reproducible and transparent, yet general enough to encompass the largest set of structures having sufficient levels of fluorination to potentially impart PFAS-type properties. Relative to the previous list (PFASSTRUCTV3<\/a>) the trifluoroacetate substructure has been removed from the substructure filters.", + "listName": "PFASSTRUCTV4", "chemicalCount": 10776, "createdAt": "2021-08-10T18:34:39Z", "updatedAt": "2022-08-19T00:21:03Z", - "listName": "PFASSTRUCTV4", "shortDescription": "List consists of all records with a structure assigned and using a set of substructural filters. " }, { @@ -1265,10 +1265,10 @@ "label": "PFAS|EPA: PFAS structures in DSSTox (update August 2022)", "visibility": "PUBLIC", "longDescription": "List consists of all records with a structure assigned, and using a combination of a set of substructural filters and percent of fluorine in the molecular formula ignoring all hydrogen atoms. For example, for a compound with the molecular formula C6HF9O6, the percent of fluorine excluding hydrogen contained in the formula would be 9F/(6C + 9F + 6O) = 42%. A threshold of 30% fluorine without hydrogen allows for inclusion of some of the complex highly fluorinated structures. The combination of the set of substructural filters (visible here, where the heteroatom Q can be B, O, N, P, S, or Si<\/a>) are designed to be simple, reproducible and transparent, yet general enough to encompass the largest set of structures having sufficient levels of fluorination to potentially impart PFAS-type properties. The combination of substructural filters and threshold of percentage of fluorination were identified in the development of the manuscript \"A Proposed approach to defining per- and polyfluoroalkyl substances (PFAS) based on molecular structure and formula\" by Gaines et al. ", + "listName": "PFASSTRUCTV5", "chemicalCount": 14735, "createdAt": "2022-08-18T16:39:57Z", "updatedAt": "2022-10-29T19:52:04Z", - "listName": "PFASSTRUCTV5", "shortDescription": "List consists of all records with a structure assigned, and using a set of substructural filters and percent of fluorine in the molecular formula. " }, { @@ -1277,10 +1277,10 @@ "label": "WATER|PFAS: PFAS Chemicals contained in the EPA Drinking Water Treatability Database", "visibility": "PUBLIC", "longDescription": "The Drinking Water Treatability Database (TDB)<\/a> presents referenced information on the control of contaminants in drinking water. It provides users—including drinking water utilities, primacy agencies, first responders to spills or emergencies, treatment process designers, research organizations, academicians, and others—with current information on more than 30 treatment processes and over 120 regulated and unregulated contaminants, including 26 PFAS chemicals, a total of 38 chemicals when considering salt and acid forms. The referenced information in the TDB comprises bench-, pilot-, and full-scale studies of surface, ground, and laboratory waters gathered from thousands of literature sources, including peer-reviewed journals and conferences, other conferences and symposia, research reports, theses, and dissertations.", + "listName": "PFASTDB", "chemicalCount": 38, "createdAt": "2021-08-01T17:27:40Z", "updatedAt": "2021-08-01T17:41:02Z", - "listName": "PFASTDB", "shortDescription": "The Drinking Water Treatability Database (TDB) presents referenced information on the control of contaminants in drinking water. This list is a subset of PFAS chemicals contained in the TDB." }, { @@ -1289,10 +1289,10 @@ "label": "PFAS: Navigation Panel to PFAS Toxics Release Inventory Lists", "visibility": "PUBLIC", "longDescription": "PFAS Toxics Release Inventory (TRI) structure lists are versioned iteratively and this description navigates between the various versions of the structure lists. The list of structures displayed below represents the latest iteration of structures (PFASTRIV2 - February 2023). For the versioned lists please use the hyperlinked lists below.

\r\n\r\n
PFASTRI2<\/a> - February 2023 This list

\r\n\r\n
PFASTRI1<\/a> - February 2022

", + "listName": "PFASTRI", "chemicalCount": 189, "createdAt": "2023-09-23T11:41:01Z", "updatedAt": "2023-09-23T11:50:36Z", - "listName": "PFASTRI", "shortDescription": "PFAS Toxics Release Inventory (TRI) structure lists are versioned iteratively and this description navigates between the various versions of the structure lists." }, { @@ -1301,10 +1301,10 @@ "label": "PFAS: PFAS to the Toxics Release Inventory (TRI) Program by the National Defense Authorization Act (Version 1)", "visibility": "PUBLIC", "longDescription": "Section 7321 of the National Defense Authorization Act for Fiscal Year 2020 (P.L. 116-92) (NDAA) added certain Per- and Polyfluoroalkyl Substances (PFAS) to the
TRI list of reportable chemicals<\/a>. The chemicals listed here are reportable to the Toxics Release Inventory (TRI). (Last updated: February 15th, 2022)\r\n\r\n", + "listName": "PFASTRIV1", "chemicalCount": 179, "createdAt": "2022-02-15T09:42:52Z", "updatedAt": "2023-09-23T11:45:18Z", - "listName": "PFASTRIV1", "shortDescription": "The National Defense Authorization Act (2020) added PFAS chemicals to the Toxics Release Inventory (TRI)" }, { @@ -1313,10 +1313,10 @@ "label": "EPA: PPRTV Chemical Report", "visibility": "PUBLIC", "longDescription": "PPRTVs are developed for use in the EPA Superfund Program. Requests to try and derive a PPRTV are generally filtered through the EPA Regional Superfund Program, in which the site subject to the request is located. However, Regions typically request PPRTVs regardless of what party is considered the lead agency or is funding response actions on the (Superfund) site, including Fund-lead sites, potential responsible party (PRP) lead sites, State-lead sites, and sites where other Federal agencies may be identified as the lead agency.", + "listName": "PPRTVWEB", "chemicalCount": 407, "createdAt": "2016-06-08T11:23:39Z", "updatedAt": "2019-02-06T10:01:36Z", - "listName": "PPRTVWEB", "shortDescription": "The Provisional Peer-Reviewed Toxicity Values (PPRTVs) currently represent the second tier of human health toxicity values for the EPA Superfund and Resource Conservation and Recovery Act (RCRA) hazardous waste programs." }, { @@ -1325,10 +1325,10 @@ "label": "EPA; Superfund Chemical Data Matrix ", "visibility": "PUBLIC", "longDescription": "The Superfund Chemical Data Matrix (SCDM) generates a list of the corresponding Hazard Ranking System (HRS) factor values, benchmarks, and data elements for a particular chemical.", + "listName": "SCDM", "chemicalCount": 220, "createdAt": "2017-07-19T13:21:54Z", "updatedAt": "2018-11-16T21:58:15Z", - "listName": "SCDM", "shortDescription": "The Superfund Chemical Data Matrix (SCDM) generates a list of the corresponding Hazard Ranking System (HRS) factor values, benchmarks, and data elements for a particular chemical." }, { @@ -1337,10 +1337,10 @@ "label": "EPA|SCIL: Safer Chemicals Full List", "visibility": "PUBLIC", "longDescription": "The Safer Chemical Ingredients List (SCIL) is a list of chemical ingredients, arranged by functional-use class, that the Safer Choice Program has evaluated and determined to be safer than traditional chemical ingredients. This list is designed to help manufacturers find safer chemical alternatives that meet the criteria of the Safer Choice Program.\r\nBefore Safer Choice decides to include a chemical on the SCIL, a third-party profiler (i.e., NSF, International or ToxServices) gathers hazard information from a broad set of resources, including the identification and evaluation of all available toxicological and environmental fate data. The third party profiler submits a report to Safer Choice, with a recommendation on whether the chemical passes the Criteria for Safer Chemical Ingredients. Safer Choice staff performs due diligence by reviewing the submission for completeness, consistency, and compliance with the Safer Choice Criteria. If more than one third-party has evaluated the chemical, Safer Choice also checks for differences in the profiles and resolves any conflicts. In some cases, Safer Choice may also perform additional literature reviews and consider data from confidential sources, such as EPA's New Chemicals Program. Safer Choice does not typically examine primary literature (original studies) as part of its review and listing decisions.\r\nThe list is not intended to be exclusive. Chemicals may be submitted as part of a formulation that the program has yet to review or a chemical manufacturer may develop a chemical to meet the Safer Choice criteria. If these chemicals meet our criteria, they may be approved for use in Safer Choice-labeled products and added to the SCIL. Chemicals may be removed from the list or have their status changed based on new data or innovations that raise the safer-chemistry bar. Safer Choice will ensure that no confidential or trade secret information appears in this list.", + "listName": "SCILFULL", "chemicalCount": 965, "createdAt": "2019-11-16T17:38:27Z", "updatedAt": "2020-04-23T06:43:39Z", - "listName": "SCILFULL", "shortDescription": "Safer Chemical Ingredients List (SCIL) 2019 " }, { @@ -1349,10 +1349,10 @@ "label": "SCIL: Safer Chemicals List Green Circle List", "visibility": "PUBLIC", "longDescription": "The Safer Chemical Ingredients List (SCIL) is a list of chemical ingredients, arranged by functional-use class, that the Safer Choice Program has evaluated and determined to be safer than traditional chemical ingredients. This list is designed to help manufacturers find safer chemical alternatives that meet the criteria of the Safer Choice Program.
\r\n\r\n
This subset is the Green circle list - the chemical has been verified to be of low concern based on experimental and modeled data. The other related subsets are:

\r\n\r\n
Green half-circle<\/a> - The chemical is expected to be of low concern based on experimental and modeled data. Additional data would strengthen our confidence in the chemical’s safer status.

\r\n\r\n
Yellow triangle<\/a> - The chemical has met Safer Choice Criteria for its functional ingredient-class, but has some hazard profile issues. Specifically, a chemical with this code is not associated with a low level of hazard concern for all human health and environmental endpoints. While it is a best-in-class chemical and among the safest available for a particular function, the function fulfilled by the chemical should be considered an area for safer chemistry innovation.

\r\n\r\n
Grey square<\/a> - This chemical will not be acceptable for use in products that are candidates for the Safer Choice label and currently labeled products that contain it must reformulate per Safer Choice Compliance Schedules.

\r\n\r\n", + "listName": "SCILGREENCIRCLE", "chemicalCount": 631, "createdAt": "2019-11-16T17:36:25Z", "updatedAt": "2019-11-16T17:36:53Z", - "listName": "SCILGREENCIRCLE", "shortDescription": "Safer Chemical Ingredients List (SCIL) 2019 Green Circle Subset" }, { @@ -1361,10 +1361,10 @@ "label": "SCIL: Safer Chemicals List Green Half Circle Subset", "visibility": "PUBLIC", "longDescription": "The Safer Chemical Ingredients List (SCIL) is a list of chemical ingredients, arranged by functional-use class, that the Safer Choice Program has evaluated and determined to be safer than traditional chemical ingredients. This list is designed to help manufacturers find safer chemical alternatives that meet the criteria of the Safer Choice Program.
\r\n\r\n
This subset is the Green half circle list - The chemical is expected to be of low concern based on experimental and modeled data. Additional data would strengthen our confidence in the chemical’s safer status. The other related subsets are:

\r\n\r\n
Green circle<\/a> - the chemical has been verified to be of low concern based on experimental and modeled data.

\r\n\r\n
Yellow triangle<\/a> - The chemical has met Safer Choice Criteria for its functional ingredient-class, but has some hazard profile issues. Specifically, a chemical with this code is not associated with a low level of hazard concern for all human health and environmental endpoints. While it is a best-in-class chemical and among the safest available for a particular function, the function fulfilled by the chemical should be considered an area for safer chemistry innovation.

\r\n\r\n
Grey square<\/a> - This chemical will not be acceptable for use in products that are candidates for the Safer Choice label and currently labeled products that contain it must reformulate per Safer Choice Compliance Schedules.

\r\n\r\n", + "listName": "SCILGREENHALFCIRCLE", "chemicalCount": 115, "createdAt": "2019-11-16T17:40:06Z", "updatedAt": "2019-11-16T17:40:27Z", - "listName": "SCILGREENHALFCIRCLE", "shortDescription": "Safer Chemical Ingredients List (SCIL) 2019 Green Half Circle Subset" }, { @@ -1373,10 +1373,10 @@ "label": "SCIL: Safer Chemicals List Grey Square Subset", "visibility": "PUBLIC", "longDescription": "The Safer Chemical Ingredients List (SCIL) is a list of chemical ingredients, arranged by functional-use class, that the Safer Choice Program has evaluated and determined to be safer than traditional chemical ingredients. This list is designed to help manufacturers find safer chemical alternatives that meet the criteria of the Safer Choice Program.
\r\n\r\n
This subset is the Grey square - This chemical will not be acceptable for use in products that are candidates for the Safer Choice label and currently labeled products that contain it must reformulate per Safer Choice Compliance Schedules. The other related subsets are:

\r\n\r\n
Green circle<\/a> - the chemical has been verified to be of low concern based on experimental and modeled data.

\r\n\r\n
Green half-circle<\/a> - The chemical is expected to be of low concern based on experimental and modeled data. Additional data would strengthen our confidence in the chemical’s safer status.

\r\n\r\n
Yellow triangle<\/a> - The chemical has met Safer Choice Criteria for its functional ingredient-class, but has some hazard profile issues. Specifically, a chemical with this code is not associated with a low level of hazard concern for all human health and environmental endpoints. While it is a best-in-class chemical and among the safest available for a particular function, the function fulfilled by the chemical should be considered an area for safer chemistry innovation.

", + "listName": "SCILGREYSQUARE", "chemicalCount": 3, "createdAt": "2019-11-16T17:44:11Z", "updatedAt": "2019-11-16T17:44:38Z", - "listName": "SCILGREYSQUARE", "shortDescription": "Safer Chemical Ingredients List (SCIL) 2019 Grey Square Subset" }, { @@ -1385,10 +1385,10 @@ "label": "SCIL: Safer Chemicals List Yellow Triangle Subset", "visibility": "PUBLIC", "longDescription": "The Safer Chemical Ingredients List (SCIL) is a list of chemical ingredients, arranged by functional-use class, that the Safer Choice Program has evaluated and determined to be safer than traditional chemical ingredients. This list is designed to help manufacturers find safer chemical alternatives that meet the criteria of the Safer Choice Program.
\r\n\r\n
This subset is the Yellow triangle list - The chemical has met Safer Choice Criteria for its functional ingredient-class, but has some hazard profile issues. Specifically, a chemical with this code is not associated with a low level of hazard concern for all human health and environmental endpoints. While it is a best-in-class chemical and among the safest available for a particular function, the function fulfilled by the chemical should be considered an area for safer chemistry innovation. The other related subsets are:

\r\n\r\n
Green circle<\/a> - the chemical has been verified to be of low concern based on experimental and modeled data.

\r\n\r\n
Green half-circle<\/a> - The chemical is expected to be of low concern based on experimental and modeled data. Additional data would strengthen our confidence in the chemical’s safer status.

\r\n\r\n
Grey square<\/a> - This chemical will not be acceptable for use in products that are candidates for the Safer Choice label and currently labeled products that contain it must reformulate per Safer Choice Compliance Schedules.

\r\n\r\n\r\n", + "listName": "SCILYELLOWTRIANGLE", "chemicalCount": 216, "createdAt": "2019-11-16T17:42:24Z", "updatedAt": "2019-11-16T17:42:45Z", - "listName": "SCILYELLOWTRIANGLE", "shortDescription": "Safer Chemical Ingredients List (SCIL) 2019 Yellow Triangle Subset" }, { @@ -1397,10 +1397,10 @@ "label": "LIST: SCOGS (Select Committee on GRAS Substances) ", "visibility": "PUBLIC", "longDescription": "The
SCOGS database<\/a> allows access to opinions and conclusions from 115 SCOGS reports* published between 1972-1980 on the safety of over 370 Generally Recognized As Safe (GRAS) food substances. The list is accessible at \r\n\r\n", + "listName": "SCOGSLIST", "chemicalCount": 331, "createdAt": "2019-11-16T16:11:59Z", "updatedAt": "2020-04-23T09:35:30Z", - "listName": "SCOGSLIST", "shortDescription": "The SCOGS database allows access to opinions and conclusions from 115 SCOGS reports published between 1972-1980" }, { @@ -1409,10 +1409,10 @@ "label": "State-Specific Water Quality Standards Effective under the Clean Water Act (CWA)", "visibility": "PUBLIC", "longDescription": "The State-Specific Water Quality Standards Effective under the Clean Water Act (CWA) website is available \r\nhere<\/a>.\r\n\r\nEPA has compiled state, territorial, and authorized tribal water quality standards that EPA has approved or are otherwise in effect for Clean Water Act purposes. This compilation is continuously updated as EPA approves new or revised Water Quality Standards. \r\n\r\nIn instances when state-specific water quality standards have not been developed or approved by EPA, the Agency will propose and/or promulgate standards for a state until such time as the state submits and EPA approves their own standards. Any federally-proposed or promulgated replacement water quality standards are also identified.\r\n\r\nWater quality standards may contain additional provisions outside the scope of the Clean Water Act, its implementing federal regulations, or EPA's authority. In some cases, these additional provisions have been included as supplementary information.\r\n\r\nEPA is posting the water quality standards as a convenience to users and has made a reasonable effort to assure their accuracy. Additionally, EPA has made a reasonable effort to identify parts of the standards that are approved, disapproved, or are otherwise not in effect for Clean Water Act purposes. ", + "listName": "SSWQS", "chemicalCount": 409, "createdAt": "2020-06-24T19:31:29Z", "updatedAt": "2020-06-24T19:56:30Z", - "listName": "SSWQS", "shortDescription": "EPA has compiled state, territorial, and authorized tribal water quality standards that EPA has approved or are otherwise in effect for Clean Water Act purposes. " }, { @@ -1421,10 +1421,10 @@ "label": "EPA: Underground Storage Tanks (USTs)", "visibility": "PUBLIC", "longDescription": "Approximately 550,000 underground storage tanks (USTs)<\/a> nationwide store petroleum or hazardous substances. The greatest potential threat from a leaking UST is contamination of groundwater, the source of drinking water for nearly half of all Americans. EPA, states, territories, and tribes work in partnership with industry to protect the environment and human health from potential releases.

\r\n\r\nOther lists of interest are:

\r\n\r\nHazardous Substance List (40CFR116.4): related to Above Ground Storage Tanks\r\n
Hazardous Substance List (40CFR116.4): related to Above Ground Storage Tanks<\/a>

\r\n\r\nList of constituents of motor fuels relevant to leaking underground storage tank sites\r\n
List of constituents of motor fuels relevant to leaking underground storage tank sites<\/a>

\r\n", + "listName": "STORAGETANKS", "chemicalCount": 756, "createdAt": "2020-05-20T15:20:05Z", "updatedAt": "2020-07-27T13:07:13Z", - "listName": "STORAGETANKS", "shortDescription": "Chemicals present in Underground Storage Tanks " }, { @@ -1433,10 +1433,10 @@ "label": "WATER: EPA Drinking Water Treatability Database", "visibility": "PUBLIC", "longDescription": "The
Drinking Water Treatability Database (TDB)<\/a> (TDB) presents referenced information on the control of contaminants in drinking water. It provides users—including drinking water utilities, primacy agencies, first responders to spills or emergencies, treatment process designers, research organizations, academicians, and others—with current information on more than 30 treatment processes and over 120 regulated and unregulated contaminants, including 26 PFAS chemicals. The referenced information in the TDB comprises bench-, pilot-, and full-scale studies of surface, ground, and laboratory waters gathered from thousands of literature sources, including peer-reviewed journals and conferences, other conferences and symposia, research reports, theses, and dissertations. (Last updated: July 31st, 2020)", + "listName": "TDB2020", "chemicalCount": 97, "createdAt": "2020-07-31T12:22:47Z", "updatedAt": "2023-07-25T00:03:07Z", - "listName": "TDB2020", "shortDescription": "The Drinking Water Treatability Database (TDB) presents referenced information on the control of contaminants in drinking water." }, { @@ -1445,10 +1445,10 @@ "label": "WATER: EPA Drinking Water Treatability Database 2023", "visibility": "PUBLIC", "longDescription": "The Drinking Water Treatability Database (TDB)<\/a> (TDB) presents referenced information on the control of contaminants in drinking water. It provides users—including drinking water utilities, primacy agencies, first responders to spills or emergencies, treatment process designers, research organizations, academicians, and others—with current information on more than 30 treatment processes and over 120 regulated and unregulated contaminants, including 26 PFAS chemicals. The referenced information in the TDB comprises bench-, pilot-, and full-scale studies of surface, ground, and laboratory waters gathered from thousands of literature sources, including peer-reviewed journals and conferences, other conferences and symposia, research reports, theses, and dissertations. (Last updated: July 25th, 2023)", + "listName": "TDB2023", "chemicalCount": 71, "createdAt": "2023-07-25T00:05:03Z", "updatedAt": "2023-07-25T00:05:41Z", - "listName": "TDB2023", "shortDescription": "The Drinking Water Treatability Database (TDB) presents referenced information on the control of contaminants in drinking water." }, { @@ -1457,10 +1457,10 @@ "label": "LIST: Tire Crumb Rubber", "visibility": "PUBLIC", "longDescription": "This chemical list is based on data contained within the Federal Research Action Plan (FRAP) on Recycled Tire Crumb Used on Playing Fields and Playgrounds<\/a>. The chemical list is obtained from the Toxicity reference information spreadsheet<\/a> compiled for the potential tire crumb rubber chemical constituents identified in the State-of-Science Literature Review/Gaps Analysis, White Paper Summary of Results. Eleven sources of publicly available toxicity reference information were searched. It is important to recognize that not all potential chemical constituents identified through the literature search were confirmed through measurements made under the Federal Research Action Plan.\r\n\r\n\r\n\r\n\r\n\r\n", + "listName": "TIRECRUMB", "chemicalCount": 290, "createdAt": "2020-04-23T13:17:01Z", "updatedAt": "2020-04-23T14:31:34Z", - "listName": "TIRECRUMB", "shortDescription": "List of chemicals based on the Federal Research Action Plan (FRAP) on Recycled Tire Crumb Used on Playing Fields and Playgrounds" }, { @@ -1469,10 +1469,10 @@ "label": "TOX21SL: Tox21 Screening Library", "visibility": "PUBLIC", "longDescription": "TOX21SL is a list of unique DSSTox substances comprising the original screening library for the Tox21 program, a multi-federal agency collaborative among US EPA, the National Institutes of Health (NIH) National Toxicology Program (NTP) and National Center for Advances in Translational Science (NCATS), and the US Food and Drug Administration (FDA). EPA, NTP and NCATS partners contributed approximately equal size inventories to the library, whereas FDA contributed a small set of drugs. EPA’s contribution to the original TOX21SL fully covered its ToxCast inventory, so retains significant overlap with the current ToxCast HTS inventory (TOXCAST<\/a>). The NTP contribution was drawn from the NTP bioassay and research testing programs of chemicals of interest to environmental toxicology, and the NCATS contribution consisted primarily of marketed drugs. Tox21 compounds were selected based on a wide range of criteria, including, but not limited to: environmental hazard or exposure concern based on production volume (industrial chemicals) or occurrence data, availability of animal toxicity study data, food-additives, fragrances, toxicity reference chemicals, and drugs or known bioactive compounds. Chemicals in the original Tox21 program underwent screening at the intramural NCATS robotics testing facility. All HTS assay data generated in association with the Tox21 program are publicly available through PubChem (https://pubchem.ncbi.nlm.nih.gov/), as are the analytical chemistry quality control (QC) summary records generated in association with the Tox21 testing program. Tox21 assay data are also included in EPA’s ToxCast data downloads (https://www.epa.gov/chemical-research/exploring-toxcast-data-downloadable-data)<\/a>.

For current information on the Tox21 program, see \r\n
https://tox21.gov/page/home<\/a>

\r\nUpdate (Nov 20, 2018):

The following publication coauthored by Tox21 Federal Partner Leads lays out a strategic and operational plan for the Tox21 program from 2018 onward:
https://www.ncbi.nlm.nih.gov/pubmed/29529324)<\/a>
\r\nThe plan articulates areas of focused scientific investment, both in chemical and biological space, to which new Tox21 cross-partner projects will be directed. In keeping with the new strategic plan, the Tox21 testing library moving forward is being consolidated under EPA chemical management and includes the full, currently available EPA ToxCast chemical library as well as approx. 1300 newly added chemicals provided by the NTP that were in the original TOX21SL library. The full chemical library available to the Tox21 cross-partner projects as DMSO solutions currently exceeds 6400 chemicals, of which nearly 6000 were included in the original TOX21SL library. A snapshot of this active plating library list (dated 11/21/2018) can be accessed at
EPACHEMINV_AVAIL<\/a>.\r\n\r\n ", + "listName": "TOX21SL", "chemicalCount": 8947, "createdAt": "2014-06-10T00:00:00Z", "updatedAt": "2018-11-23T20:53:50Z", - "listName": "TOX21SL", "shortDescription": "TOX21SL is list of unique substances comprising the screening library for the Tox21 program, a multi-federal agency collaborative among the US EPA, NIH/NTP, NIH/NCATS, and the US FDA." }, { @@ -1481,10 +1481,10 @@ "label": "TOXCAST is the complete list of chemicals having undergone some level of screening in EPA's ToxCast research program since 2007 (last updated 4/11/2017); sublists included.", "visibility": "PUBLIC", "longDescription": "TOXCAST consists of the full list of chemicals having undergone some level of screening in EPA's ToxCast research program from 2007 to the present (last updated 4/11/2017). The list includes all chemicals available for current Phase III testing, as well as discontinued chemicals that underwent limited screening in earlier Phases I and II of the ToxCast program. Discontinued chemicals includes those that were depleted and could not be reprocured (cost, availability), and those discontinued for other reasons (e.g., limited solubility, instability, volatility). TOXCAST also includes EPA’s full, plated contribution of nearly 4000 unique chemicals to the multi-federal agency Tox21 program (TOX21SL<\/a>). A publication detailing the construction and composition of the ToxCast inventory (Richard et al., Chem. Res. Toxicol. 2016) can be freely downloaded from: http://pubs.acs.org/doi/abs/10.1021/acs.chemrestox.6b00135<\/a>

\r\n\r\nRelated sublists:
\r\n\r\n
TOXCAST_PhaseI: <\/a> … 310 chemicals (mostly pesticides) screened in Phase I of the ToxCast program (ph1v1 subset)

\r\n\r\n
TOXCAST_PhaseII: <\/a> … 1800 chemicals screened in Phase II of the ToxCast program, consisting of TOXCAST_ph1v2, ph2 and e1k sublists

\r\n\r\n
TOXCAST_PhaseIII: <\/a>… 4584 chemicals available for screening in the current Phase III of the ToxCast program (as of 4/11/2017)

\r\n\r\n
TOXCAST_ph1v2: <\/a>… 293 chemicals representing reprocured subset of Phase I (ph1v1) moved into Phase II testing

\r\n\r\n
TOXCAST_ph2: <\/a>… 768 chemicals added in Phase II of the ToxCast program to increase chemical diversity and coverage of chemicals of concern to EPA programs

\r\n\r\n
TOXCAST_e1k: <\/a>… 799 chemicals added in Phase II of the ToxCast program that were selected for screening in endocrine-related assays

\r\n\r\n
TOXCAST_ph3: <\/a>… 2678 chemicals added in the most recent, ongoing Phase III of the ToxCast program (current as of 4/11/2017)

\r\n\r\n\r\nFor more information on EPA’s ToxCast program, see:\r\n
https://www.epa.gov/chemical-research/toxicity-forecasting<\/a>

\r\n\r\n\r\nTo access the ToxCast HTS data within the EPA ToxCast Dashboard, see:\r\n
https://www.epa.gov/chemical-research/toxcast-dashboard <\/a>

\r\n", + "listName": "TOXCAST", "chemicalCount": 4746, "createdAt": "2022-04-06T15:19:51Z", "updatedAt": "2022-04-06T15:27:24Z", - "listName": "TOXCAST", "shortDescription": "TOXCAST is the complete list of chemicals having undergone some level of screening in EPA's ToxCast research program since 2007 (last updated 4/11/2017); sublists included." }, { @@ -1493,10 +1493,10 @@ "label": "ToxCast Phase II donated pharma inventory", "visibility": "PUBLIC", "longDescription": "ToxCast Phase II donated pharma inventory included in ph2 inventory", + "listName": "TOXCAST_donatedpharma", "chemicalCount": 136, "createdAt": "2016-01-25T18:25:14Z", "updatedAt": "2018-01-30T18:59:13Z", - "listName": "TOXCAST_donatedpharma", "shortDescription": "ToxCast Phase II donated pharma inventory included in ph2 inventory" }, { @@ -1505,10 +1505,10 @@ "label": "TOXCAST_e1k is the e1k subset of TOXCAST, selected for screening in endocrine-related assays.", "visibility": "PUBLIC", "longDescription": "TOXCAST_e1k is the e1k subset of EPA’s ToxCast Screening Library (TOXCAST), consisting of 799 unique chemicals added in Phase II of EPA’s ToxCast program (non-overlapping with the ph1v2, ph2 subsets in Phase II) that were specifically introduced for screening in endocrine-related assays (e.g., ER - estrogen receptor and AR - androgen receptor) in support of EPA's Endocrine Disruption Screening Program. For more details, see
TOXCAST<\/a>", + "listName": "TOXCAST_E1K", "chemicalCount": 799, "createdAt": "2022-04-06T15:40:02Z", "updatedAt": "2022-04-06T15:40:41Z", - "listName": "TOXCAST_E1K", "shortDescription": "TOXCAST_e1k is the e1k subset of TOXCAST, selected for screening in endocrine-related assays." }, { @@ -1517,10 +1517,10 @@ "label": "ToxCast EPA contribution to the Tox21 inventory", "visibility": "PUBLIC", "longDescription": "ToxCast EPA contribution to the Tox21 inventory", + "listName": "TOXCAST_EPATox21", "chemicalCount": 4078, "createdAt": "2016-01-25T18:56:00Z", "updatedAt": "2017-11-22T16:18:39Z", - "listName": "TOXCAST_EPATox21", "shortDescription": "ToxCast EPA contribution to the Tox21 inventory" }, { @@ -1529,10 +1529,10 @@ "label": "EPA ToxCast invitrodb v3.0 (October 2018)", "visibility": "PUBLIC", "longDescription": "This list of chemicals corresponds to chemicals with bioactivity assay data in EPA's ToxCast Database, referred to as invitrodb (v3 public release, October 2018). Invitrodb contains data for chemicals in the ToxCast and Tox21 programs, with more information available here<\/a>. This list is provided as a resource to support the October 2018 version of the bioactivity data in invitrodb v3.0 and can be downloaded and cited as follows: EPA National Center for Computational Toxicology. (2018). Invitrodb version 3.0. https://doi.org/10.23645/epacomptox.6062623.v2<\/a>", + "listName": "ToxCast_invitroDB_v3_0", "chemicalCount": 9403, "createdAt": "2018-10-05T15:52:37Z", "updatedAt": "2022-05-17T17:10:39Z", - "listName": "ToxCast_invitroDB_v3_0", "shortDescription": "This list of chemicals corresponds to chemicals with bioactivity assay data in EPA's ToxCast Database, referred to as invitrodb (v3 public release, October 2018)." }, { @@ -1541,10 +1541,10 @@ "label": "EPA ToxCast Screening Library (ph1v2 subset)", "visibility": "PUBLIC", "longDescription": "TOXCAST_ph1v2 is the ph1v2 subset of EPA’s ToxCast Screening Library (TOXCAST) chemicals, consisting of 293 reprocured Phase I (TOXCAST_ph1v1) chemicals, consisting of mostly pesticides with guideline in vivo toxicity study data, that were moved into Phase II and later testing phases of the ToxCast program. Th ph1v2 inventory excluded 17 ph1v1 chemicals that were retired from screening after Phase I due to solubility and degradation issues. \r\n\r\nFor more details, see TOXCAST<\/a>

\r\n", + "listName": "TOXCAST_ph1v2", "chemicalCount": 293, "createdAt": "2016-01-25T17:25:31Z", "updatedAt": "2022-02-15T13:23:16Z", - "listName": "TOXCAST_ph1v2", "shortDescription": "TOXCAST_ph1v2 is the ph1v2 subset of TOXCAST, a reprocured subset of Phase I (ph1v1) chemicals moved into Phase II and later testing phases of the ToxCast program." }, { @@ -1553,10 +1553,10 @@ "label": "EPA ToxCast Screening Library (ph2 subset)", "visibility": "PUBLIC", "longDescription": "TOXCAST_ph2 is the ph2 subset of EPA’s ToxCast Screening Library (TOXCAST) chemicals, entered into testing in Phase II of the ToxCast screening program. At the close of Phase II testing, this inventory consisted of 768 unique chemicals spanning a wide variety of EPA and public lists, that were chosen to increase the chemical diversity and scope of the TOXCAST library, provide greater coverage of chemicals of concern to EPA programs, and span a broader range of bioactivity and toxicity endpoints. For more details, see
TOXCAST<\/a>

", + "listName": "TOXCAST_ph2", "chemicalCount": 768, "createdAt": "2016-01-25T17:58:13Z", "updatedAt": "2022-02-15T13:23:42Z", - "listName": "TOXCAST_ph2", "shortDescription": "TOXCAST_ph2 is the ph2 subset of TOXCAST, added in Phase II of the ToxCast program to increase chemical diversity and coverage of chemicals of concern to EPA programs." }, { @@ -1565,10 +1565,10 @@ "label": "EPA ToxCast Screening Library (ph3 subset)", "visibility": "PUBLIC", "longDescription": "TOXCAST_ph3 is the ph3 subset of EPA’s ToxCast Screening Library (TOXCAST) chemicals, consisting of the most recently added set of 2678 chemicals entering into Phase III of the ToxCast program, including both newly added chemicals as well as EPA chemicals previously included in the Tox21 library (see
TOX21SL<\/a>) that were not previously included in Phases I or II of the ToxCast program. The ph3 subset represents a wide variety of EPA and public lists with the aim of further increasing chemical diversity, coverage of chemicals of concern to EPA programs, and representation of bioactivity and toxicity endpoints. Testing Phases I and II of the ToxCast program are closed; hence the inventories associated with those historical data (i.e., ph1v1, ph2v2, e1k) are static and unchanging. ToxCast Phase III is currently underway; hence the ph3 inventory (current as of 4/11/2017) may continue to expand into less well-represented areas of chemistry and biology. For more details, see TOXCAST<\/a>

", + "listName": "TOXCAST_ph3", "chemicalCount": 2678, "createdAt": "2016-01-25T18:30:13Z", "updatedAt": "2022-02-15T13:30:18Z", - "listName": "TOXCAST_ph3", "shortDescription": "TOXCAST_ph3 is the ph3 subset of TOXCAST, added to the most recent Phase III of the ToxCast program to further increase chemical diversity and coverage of chemicals of concern to EPA programs." }, { @@ -1577,10 +1577,10 @@ "label": "EPA ToxCast Screening Library (Phase I subset)", "visibility": "PUBLIC", "longDescription": "TOXCAST_PhaseI corresponds to the ph1v1 subset of EPA’s ToxCast Screening Library (TOXCAST), consisting of 310 unique chemicals, mostly pesticidal actives for which in vivo guideline study data were available, that were screened in the earliest, Phase I of the ToxCast program. At the conclusion of Phase I screening (public data release, Jan, 2010), the majority of the ph1v1 inventory chemicals were reprocured and moved to expanded Phase II testing, with the exception of a subset of 17 chemicals that were retired from further screening due to solubility and degradation issues (see
TOXCAST_ph1v2<\/a> for the reprocured subset). For more details, see TOXCAST<\/a>

", + "listName": "TOXCAST_PhaseI", "chemicalCount": 310, "createdAt": "2016-01-29T14:36:48Z", "updatedAt": "2022-02-15T13:31:13Z", - "listName": "TOXCAST_PhaseI", "shortDescription": "TOXCAST_PhaseI corresponds to the ph1v1 subset of TOXCAST (mostly pesticides) screened in Phase I of the ToxCast program." }, { @@ -1589,10 +1589,10 @@ "label": "EPA ToxCast Screening Library (Phase II subset)", "visibility": "PUBLIC", "longDescription": "TOXCAST_PhaseII is the full set of 1860 chemicals screened in Phase II of the ToxCast screening program, consisting of the reprocured Phase I chemical inventory (TOXCAST_ph1v2), together with the TOXCAST_ph2 and TOXCAST_e1k sublists. At the time of the initial ToxCast Phase II public data release (Dec 2013), the e1k chemical subset had undergone limited screening in endocrine-related assays, whereas the ph1_v2 and ph2 subsets (totaling 1061 chemicals) were more completely screened in both ToxCast Phase I assays and assays added in Phase II; all Phase II sublists were also included in Tox21 testing. For more details, see
TOXCAST<\/a>", + "listName": "TOXCAST_PhaseII", "chemicalCount": 1864, "createdAt": "2016-01-29T14:40:41Z", "updatedAt": "2022-02-15T13:31:34Z", - "listName": "TOXCAST_PhaseII", "shortDescription": "TOXCAST_PhaseII is the full set of chemicals screened in Phase II of the ToxCast program, consisting of TOXCAST_ph1v2, ph2 and e1k sublists." }, { @@ -1601,10 +1601,10 @@ "label": "EPA ToxCast Screening Library (Phase III subset)", "visibility": "PUBLIC", "longDescription": "TOXCAST_PhaseIII is the full set of 4584 chemicals available for screening in the current Phase III of the ToxCast screening program, consisting of the major portion of the Phase II testing library (excluding 37 chemicals due to unavailability or sample problems), and the newly added ph3 chemical subset. Testing Phases I and II of the ToxCast program are closed; hence the inventories associated with those historical data (i.e., ph1v1, ph2v2, e1k) are static and unchanging. ToxCast Phase III is currently underway; hence, chemicals may be dropped due to depleted stock, and the newly added ph3 inventory (current as of 4/11/2017) may continue to expand into less well-represented areas of chemistry and biology. In addition, whereas Phase III offers the possibility of screening up to 4584 chemicals, typically far fewer chemicals are undergoing more targeted screening. For more details, see TOXCAST<\/a>

", + "listName": "TOXCAST_PhaseIII", "chemicalCount": 4584, "createdAt": "2018-02-13T18:06:11Z", "updatedAt": "2022-02-15T13:32:13Z", - "listName": "TOXCAST_PhaseIII", "shortDescription": "TOXCAST_PhaseIII is the full set of chemicals available for screening in Phase III of the ToxCast program, consisting of the majority of chemicals screened in Phase II and newly added ph3 chemicals." }, { @@ -1613,10 +1613,10 @@ "label": "LIST: ToxRefDB v2.0-1 Toxicity Reference Database", "visibility": "PUBLIC", "longDescription": "The Toxicity Reference Database (ToxRefDB) contains in vivo study data from over 5900 guideline or guideline-like studies for training and validation of predictive models, with more information available here. ToxRefDB v2.0 is described in
Watford et al, 2019<\/a>. ToxRefDB v2.1 is an update to address a compilation error found in ToxRefDB v2.0, as described in Feshuk et al, 2023<\/a>. Though effect data has been added in v2.1, no new chemicals were added.", + "listName": "TOXREFDB2", "chemicalCount": 1176, "createdAt": "2019-09-24T22:32:24Z", "updatedAt": "2023-10-28T14:05:57Z", - "listName": "TOXREFDB2", "shortDescription": "The Toxicity Reference Database v2 structures information from over 5000 in vivo toxicity studies" }, { @@ -1625,10 +1625,10 @@ "label": "EPA: Toxicity Values Version 5 (Aug 2018)", "visibility": "PUBLIC", "longDescription": "The Toxicity Values database is delivered via the Hazard Tab in the CompTox Chemicals Dashboard. As of August 2018 the ToxVal Database contains the following data: 772,721 toxicity values from 29 sources of data, 21,507 sub-sources, 4585 journals cited and 69,833 literature citations.\r\n", + "listName": "TOXVAL_V5", "chemicalCount": 57972, "createdAt": "2017-09-22T18:08:22Z", "updatedAt": "2019-11-18T11:34:47Z", - "listName": "TOXVAL_V5", "shortDescription": "The Toxicity Values database is delivered via the Hazard Tab in the CompTox Chemicals Dashboard." }, { @@ -1637,10 +1637,10 @@ "label": "EPA: Toxics Release Inventory ", "visibility": "PUBLIC", "longDescription": "In general chemicals covered by the TRI Program are those that cause one or more of the following: 1) Cancer or other chronic human health effects; 2) Significant adverse acute human health effects; 3) Significant adverse environmental effects. (The TRI chemicals list in the CompTox Chemicals Dashboard is not the official list of all TRI reportable chemicals as it does not include all chemicals covered by the TRI broad chemical categories such as copper compounds, warfarin and salts, etc. The complete list of TRI reportable chemicals and chemical categories can be found at: (www.epa.gov/tri/chemicals<\/a>). This list includes PFAS chemicals associated with Section 7321 of the National Defense Authorization Act for Fiscal Year 2020 (P.L. 116-92) (NDAA) and available here <\/a>. (Last Updated February 15th 2022)", + "listName": "TRIRELEASE", "chemicalCount": 893, "createdAt": "2022-02-15T10:34:59Z", "updatedAt": "2022-02-15T14:02:59Z", - "listName": "TRIRELEASE", "shortDescription": "Chemicals covered by the TRI Program cause one or more of the following: 1) Cancer or other chronic human health effects; 2) Significant adverse acute human health effects; 3) Significant adverse environmental effects (Last Updated February 15th 2022)" }, { @@ -1649,10 +1649,10 @@ "label": "TSCA Active Inventory non-confidential portion (updated February 3rd 2021)", "visibility": "PUBLIC", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. The list contained in the dashboard includes the active TSCA inventory based on notifications through Feb. 7th 2018 and substances reported from Feb 8, 2018 – March 30, 2018 that have been unambiguously mapped to DSSTox using CASRN and chemical names. The curation of the non-confidential portion of active TSCA inventory is an ongoing process involving trained chemists to validate the correctness of DSSTox structural and identifier data. The content of the list will change over time as the non-confidential active TSCA inventory is updated and more substances are curated. (Updated February 3rd 2021)", + "listName": "TSCA_ACTIVE_NCTI_0221", "chemicalCount": 33603, "createdAt": "2021-02-03T08:55:59Z", "updatedAt": "2021-08-07T11:16:59Z", - "listName": "TSCA_ACTIVE_NCTI_0221", "shortDescription": "TSCA Active Inventory non-confidential portion (updated February 3rd 2021). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { @@ -1661,10 +1661,10 @@ "label": "TSCA Active Inventory non-confidential portion (updated March 23rd 2022)", "visibility": "PUBLIC", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. (Updated March 23rd 2022)", + "listName": "TSCA_ACTIVE_NCTI_0222", "chemicalCount": 33857, "createdAt": "2022-03-23T20:27:54Z", "updatedAt": "2022-06-02T14:12:25Z", - "listName": "TSCA_ACTIVE_NCTI_0222", "shortDescription": "TSCA Active Inventory non-confidential portion (updated March 23rd 2022). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { @@ -1673,10 +1673,10 @@ "label": "TSCA Active Inventory non-confidential portion (Updated February 17th 2023)", "visibility": "PUBLIC", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. (Updated February 17th 2023)", + "listName": "TSCA_ACTIVE_NCTI_0223", "chemicalCount": 34534, "createdAt": "2023-02-17T15:12:54Z", "updatedAt": "2023-03-27T08:38:54Z", - "listName": "TSCA_ACTIVE_NCTI_0223", "shortDescription": "TSCA Active Inventory non-confidential portion (updated February 17th 2023). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { @@ -1685,10 +1685,10 @@ "label": "TSCA Active Inventory non-confidential portion (Updated February 26th 2024)", "visibility": "PUBLIC", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. This is the TSCA Active Non-Confidential Subset (Updated February 26th 2024)", + "listName": "TSCA_ACTIVE_NCTI_0224", "chemicalCount": 28903, "createdAt": "2024-02-26T13:41:26Z", "updatedAt": "2024-04-08T14:50:50Z", - "listName": "TSCA_ACTIVE_NCTI_0224", "shortDescription": "TSCA Active Inventory non-confidential portion (Updated February 26th 2024). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { @@ -1697,10 +1697,10 @@ "label": "TSCA Active Inventory non-confidential portion (updated March 20th 2020).", "visibility": "PUBLIC", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. The list contained in the dashboard includes the active TSCA inventory based on notifications through Feb. 7th 2018 and substances reported from Feb 8, 2018 – March 30, 2018 that have been unambiguously mapped to DSSTox using CASRN and chemical names. The curation of the non-confidential portion of active TSCA inventory is an ongoing process involving trained chemists to validate the correctness of DSSTox structural and identifier data. The content of the list will change over time as the non-confidential active TSCA inventory is updated and more substances are curated. (Updated March 20th 2020)", + "listName": "TSCA_ACTIVE_NCTI_0320", "chemicalCount": 33369, "createdAt": "2020-03-19T11:48:10Z", "updatedAt": "2020-05-18T18:32:29Z", - "listName": "TSCA_ACTIVE_NCTI_0320", "shortDescription": "TSCA Active Inventory non-confidential portion (updated March 20th 2020). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { @@ -1709,10 +1709,10 @@ "label": "TSCA Active Inventory non-confidential portion (updated August 20th 2021)", "visibility": "PUBLIC", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. (Updated August 20th 2021)", + "listName": "TSCA_ACTIVE_NCTI_0821", "chemicalCount": 33658, "createdAt": "2021-10-17T11:22:49Z", "updatedAt": "2021-10-22T14:17:24Z", - "listName": "TSCA_ACTIVE_NCTI_0821", "shortDescription": "TSCA Active Inventory non-confidential portion (updated August 20th 2021). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated.\r\n" }, { @@ -1721,10 +1721,10 @@ "label": "TSCA Active Inventory non-confidential portion (Updated August 16th 2023)", "visibility": "PUBLIC", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. (Updated August 16th 2023)", + "listName": "TSCA_ACTIVE_NCTI_0823", "chemicalCount": 34716, "createdAt": "2023-12-31T16:34:58Z", "updatedAt": "2024-01-10T12:10:29Z", - "listName": "TSCA_ACTIVE_NCTI_0823", "shortDescription": "TSCA Active Inventory non-confidential portion (Updated August 16th 2023). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated.\r\n" }, { @@ -1733,10 +1733,10 @@ "label": "EPA|TSCA: List of Chemicals Undergoing Prioritization: High Priority Candidates March 2019 release", "visibility": "PUBLIC", "longDescription": "On March 20, 2019, EPA released a list of 40 chemicals to begin the prioritization process. TSCA requires EPA to publish this list of chemicals to begin the prioritization process and designate 20 chemicals as “high-priority” for subsequent risk evaluation and to designate 20 chemicals as “low-priority,” meaning that risk evaluation is not warranted at this time. Publication in the Federal Register activates a statutory requirement for EPA to complete the prioritization process in the next nine to twelve months, allowing EPA to designate 20 chemicals as high priority and 20 chemicals as low priority by December 2019. The chemicals in the list below are the 20 high priority candidates released in March 2019.", + "listName": "TSCAHIGHPRI", "chemicalCount": 20, "createdAt": "2019-11-16T09:56:52Z", "updatedAt": "2019-12-26T13:37:32Z", - "listName": "TSCAHIGHPRI", "shortDescription": "High Priority List of 20 chemicals undergoing prioritization as of March 2019." }, { @@ -1745,10 +1745,10 @@ "label": "TSCA Inactive Inventory non-confidential portion (Updated March 23rd 2022)", "visibility": "PUBLIC", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. (Updated March 23rd 2022)", + "listName": "TSCA_INACTIVE_NCTI_0222", "chemicalCount": 34482, "createdAt": "2022-03-23T20:34:22Z", "updatedAt": "2022-06-06T16:38:59Z", - "listName": "TSCA_INACTIVE_NCTI_0222", "shortDescription": "TSCA Inactive Inventory non-confidential portion (Updated March 23rd 2022). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { @@ -1757,10 +1757,10 @@ "label": "TSCA Inactive Inventory non-confidential portion (Updated February 17th 2023)", "visibility": "PUBLIC", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. (Updated February 17th 2023)", + "listName": "TSCA_INACTIVE_NCTI_0223", "chemicalCount": 34427, "createdAt": "2023-02-17T16:54:44Z", "updatedAt": "2023-03-23T22:01:04Z", - "listName": "TSCA_INACTIVE_NCTI_0223", "shortDescription": "TSCA Inactive Inventory non-confidential portion (Updated February 17th 2023). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { @@ -1769,10 +1769,10 @@ "label": "TSCA Inactive Inventory non-confidential portion (Updated February 26th 2024)", "visibility": "PUBLIC", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. This is the TSCA Inactive Non-Confidential Subset (Updated February 26th 2024)\r\n", + "listName": "TSCA_INACTIVE_NCTI_0224", "chemicalCount": 34387, "createdAt": "2024-02-26T13:01:07Z", "updatedAt": "2024-02-27T21:50:31Z", - "listName": "TSCA_INACTIVE_NCTI_0224", "shortDescription": "TSCA Inactive Inventory non-confidential portion (Updated February 26th 2024). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { @@ -1781,10 +1781,10 @@ "label": "TSCA Inactive Inventory non-confidential portion (updated August 20th 2021)", "visibility": "PUBLIC", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. (Updated August 20th 2021)", + "listName": "TSCA_INACTIVE_NCTI_0821", "chemicalCount": 34527, "createdAt": "2021-10-17T11:41:18Z", "updatedAt": "2023-12-29T08:49:14Z", - "listName": "TSCA_INACTIVE_NCTI_0821", "shortDescription": "TSCA Inactive Inventory non-confidential portion (updated August 20th 2021). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated.\r\n" }, { @@ -1793,10 +1793,10 @@ "label": "TSCA Inactive Inventory non-confidential portion (Updated August 16th 2023)", "visibility": "PUBLIC", "longDescription": "Section 8 (b) of the Toxic Substances Control Act (TSCA) requires EPA to compile, keep current and publish a list of each chemical substance that is manufactured or processed, including imports, in the United States for uses under TSCA. Information about what types of substances are on the TSCA inventory can be found here. The Toxic Substances Control Act (TSCA), as amended by the Frank R. Lautenberg Chemical Safety for the 21st Century Act, requires EPA to designate chemical substances on the TSCA Chemical Substance Inventory as either “active” or “inactive” in U.S. commerce. To accomplish this, EPA finalized a rule requiring industry reporting of chemicals manufactured (including imported) or processed in the U.S.. This reporting is used to identify which chemical substances on the TSCA Inventory are active in U.S. commerce and help inform the prioritization of chemicals for risk evaluation. (Updated August 16th 2023)", + "listName": "TSCA_INACTIVE_NCTI_0823", "chemicalCount": 34405, "createdAt": "2023-12-31T17:26:30Z", "updatedAt": "2023-12-31T17:55:21Z", - "listName": "TSCA_INACTIVE_NCTI_0823", "shortDescription": "TSCA Inactive Inventory non-confidential portion (Updated August 16th 2023). The content of the list will change over time as both the non-confidential active TSCA inventory is updated and more substances are curated." }, { @@ -1805,10 +1805,10 @@ "label": "EPA|TSCA: List of Chemicals Undergoing Prioritization: Low Priority Candidates March 2019 Release", "visibility": "PUBLIC", "longDescription": "On March 20, 2019, EPA released a list of 40 chemicals to begin the prioritization process. TSCA requires EPA to publish this list of chemicals to begin the prioritization process and designate 20 chemicals as “high-priority” for subsequent risk evaluation and to designate 20 chemicals as “low-priority,” meaning that risk evaluation is not warranted at this time. Publication in the Federal Register activates a statutory requirement for EPA to complete the prioritization process in the next nine to twelve months, allowing EPA to designate 20 chemicals as high priority and 20 chemicals as low priority by December 2019. The chemicals in the list below are the 20 low priority candidates released in March 2019.", + "listName": "TSCALOWPRI", "chemicalCount": 20, "createdAt": "2019-11-16T10:00:10Z", "updatedAt": "2019-12-26T13:36:46Z", - "listName": "TSCALOWPRI", "shortDescription": "Low Priority List of 20 chemicals undergoing prioritization as of March 2019." }, { @@ -1817,10 +1817,10 @@ "label": "EPA|TSCA: TSCA Workplan Step 2 Chemicals", "visibility": "PUBLIC", "longDescription": "As part of EPA’s chemical safety program, EPA has identified a work plan of chemicals for further assessment under the Toxic Substances Control Act (TSCA). EPA's TSCA Work Plan helps focus and direct the activities of its Existing Chemicals Program.\r\n\r\nOriginally released in March 2012, EPA's TSCA Work Plan helps focus and direct the activities of its Existing Chemicals Program. The Work Plan was updated in October 2014. The changes to the TSCA Work Plan reflect updated data submitted to EPA by chemical companies on chemical releases and potential exposures.\r\n\r\nAfter gathering input from stakeholders, EPA developed criteria used for identifying chemicals for further assessment. The criteria focused on chemicals that meet one or more of the following factors:\r\n\r\nPotentially of concern to children’s health (for example, because of reproductive or developmental effects)\r\n\r\nNeurotoxic effects\r\nPersistent, Bioaccumulative, and Toxic (PBT)\r\nProbable or known carcinogens\r\nUsed in children’s products\r\nDetected in biomonitoring programs\r\n\r\nUsing this process, EPA in 2012 identified chemicals in the TSCA Work Plan as candidates for assessment over the next several years, as they all scored high in this screening process based on their combined hazard, exposure, and persistence and bioaccumulation characteristics. In 2014, using new information submitted to the Agency, EPA updated the TSCA Work Plan.", + "listName": "TSCASTEP2", "chemicalCount": 344, "createdAt": "2017-06-02T11:54:18Z", "updatedAt": "2018-11-16T22:05:52Z", - "listName": "TSCASTEP2", "shortDescription": "As part of EPA’s chemical safety program, EPA has identified a work plan of chemicals for further assessment under the Toxic Substances Control Act (TSCA). EPA's TSCA Work Plan helps focus and direct the activities of its Existing Chemicals Program." }, { @@ -1829,10 +1829,10 @@ "label": "EPA|TSCA|NORMAN: Surfactant List (subset)", "visibility": "PUBLIC", "longDescription": "TSCASURF contains information on surfactants compiled by James Little (while at Eastman Chemical) from the TSCA Database. This is being progressively curated and extended. Extensive information and more details on the surfactants and other strategies for identifying “known unknowns” are available on the website of James Little here<\/a>. ", + "listName": "TSCASURF", "chemicalCount": 415, "createdAt": "2017-07-16T08:03:58Z", "updatedAt": "2021-05-25T15:55:32Z", - "listName": "TSCASURF", "shortDescription": "TSCASURF contains information on surfactants compiled by James Little (while at Eastman Chemical) from the TSCA Database. This is being progressively curated and extended. " }, { @@ -1841,10 +1841,10 @@ "label": "EPA|TSCA: Work Plan Chemicals (2014)", "visibility": "PUBLIC", "longDescription": "The EPA Toxic Substance Control Act (TSCA) Work Plan chemical list (2014 update) is a list of existing chemicals for TSCA assessment, based on industry data submitted to EPA\r\nthrough the Toxics Release Inventory (TRI) in 2011 and the TSCA Chemical Data Reporting (CDR)\r\nrequirements in 2012 on chemical releases and potential exposures. This is the first update to the TSCA Work Plan for Chemical Assessments, which EPA presented in early 2012. As newer data from TRI and CDR become available, EPA will update the TSCA Work Plan for Chemical Assessments. The Agency uses this Work Plan to focus the activities of the Existing Chemicals Program in the Office of Pollution Prevention and Toxics (OPPT) so that existing chemicals having the highest potential for exposure and hazard are assessed, and, if warranted, are subject to risk reduction actions. For more information, \r\n\r\nvisit this website<\/a>.", + "listName": "TSCAWP", "chemicalCount": 90, "createdAt": "2016-03-04T11:04:53Z", "updatedAt": "2022-08-19T13:24:45Z", - "listName": "TSCAWP", "shortDescription": "EPA Toxic Substance Control Act (TSCA) Work Plan chemical list (2014 update) " }, { @@ -1853,10 +1853,10 @@ "label": "WATER: First Unregulated Contaminant Monitoring Rule", "visibility": "PUBLIC", "longDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants to be monitored by public water systems (PWSs). The second Unregulated Contaminant Monitoring Rule (UCMR 2) was published in 2001. UCMR 1 required monitoring for 25 contaminants between 2001 and 2005 using analytical methods developed by EPA, consensus organizations, or both. This monitoring provides a basis for future regulatory actions to protect public health.", + "listName": "UCMR1", "chemicalCount": 23, "createdAt": "2018-05-05T22:01:27Z", "updatedAt": "2018-11-16T22:10:28Z", - "listName": "UCMR1", "shortDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants. This list was published on 2001." }, { @@ -1865,10 +1865,10 @@ "label": "WATER: Second Unregulated Contaminant Monitoring Rule", "visibility": "PUBLIC", "longDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants to be monitored by public water systems (PWSs). The second Unregulated Contaminant Monitoring Rule (UCMR 2) was published on January 4, 2007. UCMR 2 required monitoring for 25 contaminants between 2008 and 2010 using analytical methods developed by EPA, consensus organizations, or both. This monitoring provides a basis for future regulatory actions to protect public health.", + "listName": "UCMR2", "chemicalCount": 25, "createdAt": "2018-05-04T17:07:18Z", "updatedAt": "2018-11-16T22:11:11Z", - "listName": "UCMR2", "shortDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants. This list was published on January 4, 2007." }, { @@ -1877,10 +1877,10 @@ "label": "WATER: Third Unregulated Contaminant Monitoring Rule", "visibility": "PUBLIC", "longDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants to be monitored by public water systems (PWSs). The third Unregulated Contaminant Monitoring Rule (UCMR 3<\/a>\r\n) was published in 2012. UCMR 3 required monitoring for 28 chemical contaminants between 2013 and 2015 using analytical methods developed by EPA, consensus organizations, or both. This monitoring provides a basis for future regulatory actions to protect public health. \r\n\r\n\r\n", + "listName": "UCMR3", "chemicalCount": 28, "createdAt": "2019-05-23T22:56:58Z", "updatedAt": "2020-04-23T14:51:52Z", - "listName": "UCMR3", "shortDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants. This list was published on May 2, 2012." }, { @@ -1889,10 +1889,10 @@ "label": "WATER: Fourth Unregulated Contaminant Monitoring Rule", "visibility": "PUBLIC", "longDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants to be monitored by public water systems (PWSs). The fourth Unregulated Contaminant Monitoring Rule (UCMR 4<\/a>) was published in 2016. UCMR 4 required monitoring for 30 chemical contaminants between 2018 and 2020 using analytical methods developed by EPA, consensus organizations, or both. This monitoring provides a basis for future regulatory actions to protect public health. Note that for this list the terms HAA5, HAA6BR and HAA9 have been expanded to represent a specific set of chemicals.\r\n", + "listName": "UCMR4", "chemicalCount": 35, "createdAt": "2019-05-24T07:47:39Z", "updatedAt": "2020-04-23T15:00:46Z", - "listName": "UCMR4", "shortDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants. This list was published on December 20, 2016." }, { @@ -1901,10 +1901,10 @@ "label": "WATER: Fifth Unregulated Contaminant Monitoring Rule", "visibility": "PUBLIC", "longDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants to be monitored by public water systems (PWSs). The fifth Unregulated Contaminant Monitoring Rule (UCMR 5<\/a>) was published in 2021. UCMR 5 requires monitoring for 30 chemical contaminants between 2023 and 2025 using analytical methods developed by EPA, consensus organizations, or both. This monitoring provides a basis for future regulatory actions to protect public health. Note that UCMR 5 will provide new data that is critically needed to improve EPA’s understanding of the frequency that 29 PFAS (and lithium) are found in the nation’s drinking water systems and at what levels. This list was published on December 27, 2021.", + "listName": "UCMR5", "chemicalCount": 30, "createdAt": "2022-01-19T12:31:29Z", "updatedAt": "2022-01-19T12:32:04Z", - "listName": "UCMR5", "shortDescription": "The 1996 Safe Drinking Water Act (SDWA) amendments require that once every five years EPA issue a new list of no more than 30 unregulated contaminants. This list was published on December 27, 2021." }, { @@ -1913,10 +1913,10 @@ "label": "WATER: USGS List of Chemicals ", "visibility": "PUBLIC", "longDescription": "The United States Geological Survey is a scientific agency of the United States government. The scientists of the USGS study the landscape of the United States, its natural resources, and the natural hazards that threaten it. This list of chemicals are in the USGS list of chemicals in water under the \"Parameter Code Definition\" list<\/a>\r\n\r\n", + "listName": "USGSWATER", "chemicalCount": 707, "createdAt": "2019-08-19T23:38:13Z", "updatedAt": "2019-08-19T23:40:14Z", - "listName": "USGSWATER", "shortDescription": "This list of chemicals are in the USGS list of chemicals in water" }, { @@ -1925,10 +1925,10 @@ "label": "WATER: National Recommended Water Quality Criteria Aquatic Life chemical list", "visibility": "PUBLIC", "longDescription": "The National Recommended Water Quality Criteria Aquatic Life chemical table contains criteria for aquatic life ambient water quality criteria. Aquatic life criteria for toxic chemicals are the highest concentration of specific pollutants or parameters in water that are not expected to pose a significant risk to the majority of species in a given environment or a narrative description of the desired conditions of a water body being \"free from\" certain negative conditions. The table of values is available at https://www.epa.gov/wqc/national-recommended-water-quality-criteria-aquatic-life-criteria-table<\/a>\r\n", + "listName": "WATERQUALCRIT", "chemicalCount": 49, "createdAt": "2021-05-10T17:18:03Z", "updatedAt": "2021-05-10T17:23:01Z", - "listName": "WATERQUALCRIT", "shortDescription": "The National Recommended Water Quality Criteria Aquatic Life chemical table contains criteria for aquatic life ambient water quality criteria." }, { @@ -1937,10 +1937,10 @@ "label": "LIST: Water Contaminant Information Tool (WCIT)", "visibility": "PUBLIC", "longDescription": "This list is the list of chemicals contained in the Water Contaminant Information Tool. The Water Contaminant Information Tool (WCIT) is used by the water sector to prepare for, respond to or recover from drinking water and wastewater contamination incidents. WCIT includes comprehensive information about contaminants that could be introduced into a water system following a natural disaster, vandalism, accident or act or terrorism. There are currently over 800 priority contaminants of concern listed in WCIT. The tool is available online here: https://www.epa.gov/waterdata/water-contaminant-information-tool-wcit ", + "listName": "WCIT", "chemicalCount": 795, "createdAt": "2023-12-11T22:20:21Z", "updatedAt": "2023-12-11T23:16:25Z", - "listName": "WCIT", "shortDescription": "List of chemicals contained in the Water Contaminant Information Tool" }, { @@ -1949,10 +1949,10 @@ "label": "LIST: WEBWISER emergency responders ", "visibility": "PUBLIC", "longDescription": "WISER is a system designed to assist emergency responders in hazardous material incidents. WISER provides a wide range of information on hazardous substances, including substance identification support, physical characteristics, human health information, and containment and suppression advice.", + "listName": "WEBWISER", "chemicalCount": 453, "createdAt": "2019-04-13T18:13:00Z", "updatedAt": "2019-04-13T18:23:03Z", - "listName": "WEBWISER", "shortDescription": "WISER is a system designed to assist emergency responders in hazardous material incidents. " }, { @@ -1961,10 +1961,10 @@ "label": "CATEGORY|WIKILIST: Antiseptics from Wikipedia", "visibility": "PUBLIC", "longDescription": "List (109 records) from Wikipedia containing the following:\r\nCategory: Antiseptics\r\nSub-categories: Antiseptics and Disinfectants, Iodine and Microbicides", + "listName": "WIKIANTISEPTICS", "chemicalCount": 102, "createdAt": "2020-10-08T14:24:31Z", "updatedAt": "2020-10-28T08:48:47Z", - "listName": "WIKIANTISEPTICS", "shortDescription": "A list of antimicrobials extracted from the Wikipedia Category page: https://en.wikipedia.org/wiki/Category:Antiseptics" }, { @@ -1973,10 +1973,10 @@ "label": "CATEGORY|WIKILIST: Flavorants from Wikipedia", "visibility": "PUBLIC", "longDescription": "List of flavorants from Wikipedia containing names, CAS RN and DTXSIDs\r\n", + "listName": "WIKIFLAVORS", "chemicalCount": 141, "createdAt": "2020-10-05T10:30:27Z", "updatedAt": "2020-10-27T11:13:05Z", - "listName": "WIKIFLAVORS", "shortDescription": "A list of flavorants extracted from the Wikipedia Category page: Wikipedia list<\/a>.\r\n" } ] diff --git a/tests/testthat/chemical-batch/chemical/msready/search/by-dtxcid.R b/tests/testthat/chemical-batch/chemical/msready/search/by-dtxcid.R index 4e9aef7..c636120 100644 --- a/tests/testthat/chemical-batch/chemical/msready/search/by-dtxcid.R +++ b/tests/testthat/chemical-batch/chemical/msready/search/by-dtxcid.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/msready/search/by-dtxcid/", status_code = 404L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:15 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:54 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "a6c9ef92-198e-4a41-503d-c5b97ae55414", + `x-vcap-request-id` = "ad8e08a0-68f8-4fe2-437e-1ad58e884320", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "vJGVAB-yvhiojwzDy-AYSwYQxhw6cyh9tFd7NwV0dgryob9kSmXhBw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "JAhfqEyWgxbAxl-iDcJR0skRRS_DkAjrBX8wuIZKw3x4T1boQotx3Q=="), class = c("insensitive", "list")), all_headers = list(list(status = 404L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:15 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:54 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "a6c9ef92-198e-4a41-503d-c5b97ae55414", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "ad8e08a0-68f8-4fe2-437e-1ad58e884320", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "vJGVAB-yvhiojwzDy-AYSwYQxhw6cyh9tFd7NwV0dgryob9kSmXhBw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "JAhfqEyWgxbAxl-iDcJR0skRRS_DkAjrBX8wuIZKw3x4T1boQotx3Q=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -39,7 +39,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/msready/search/by-dtxcid 0x2f, 0x63, 0x68, 0x65, 0x6d, 0x69, 0x63, 0x61, 0x6c, 0x2f, 0x6d, 0x73, 0x72, 0x65, 0x61, 0x64, 0x79, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, 0x64, 0x74, - 0x78, 0x63, 0x69, 0x64, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1716407415, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.7e-05, - connect = 0, pretransfer = 0.00019, starttransfer = 0.233967, - total = 0.233998)), class = "response") + 0x78, 0x63, 0x69, 0x64, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1724960154, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.9e-05, + connect = 0, pretransfer = 0.000109, starttransfer = 0.257486, + total = 0.257546)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/msready/search/by-dtxcid/DTXCID30182.R b/tests/testthat/chemical-batch/chemical/msready/search/by-dtxcid/DTXCID30182.R index a669613..2b779ea 100644 --- a/tests/testthat/chemical-batch/chemical/msready/search/by-dtxcid/DTXCID30182.R +++ b/tests/testthat/chemical-batch/chemical/msready/search/by-dtxcid/DTXCID30182.R @@ -1,25 +1,25 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/msready/search/by-dtxcid/DTXCID30182", status_code = 401L, headers = structure(list(`content-type` = "application/json;charset=ISO-8859-1", `content-length` = "164", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:15 GMT", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "98ca031b-93cf-45fd-78f8-92865dd24b22", + date = "Thu, 29 Aug 2024 19:35:54 GMT", `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "504a22a8-a039-4b7c-7d8a-0a4230897a42", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "uzXbwtBgwbql7PpglCQyFPLoJ2PiarP1kBsCNmDeBMxezoAIOauukQ=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "cPLXOlvMMLHU8HHiCN0Xj8jP7VR0pvuYehFAn5l1jZgrbvTS1nLZiA=="), class = c("insensitive", "list")), all_headers = list(list(status = 401L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/json;charset=ISO-8859-1", `content-length` = "164", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:15 GMT", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "98ca031b-93cf-45fd-78f8-92865dd24b22", + date = "Thu, 29 Aug 2024 19:35:54 GMT", `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "504a22a8-a039-4b7c-7d8a-0a4230897a42", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "uzXbwtBgwbql7PpglCQyFPLoJ2PiarP1kBsCNmDeBMxezoAIOauukQ=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "cPLXOlvMMLHU8HHiCN0Xj8jP7VR0pvuYehFAn5l1jZgrbvTS1nLZiA=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", "POSIXt")), name = logical(0), value = logical(0)), row.names = integer(0), class = "data.frame"), content = charToRaw("{\"title\":\"API Header Not Found\",\"detail\":\"Every API call should pass assigned API key through custom http header or query parameter. Request is missing x-api-key.\"}"), - date = structure(1716407415, class = c("POSIXct", "POSIXt" - ), tzone = "GMT"), times = c(redirect = 0, namelookup = 4e-05, - connect = 0, pretransfer = 0.000171, starttransfer = 0.098866, - total = 0.098896)), class = "response") + date = structure(1724960154, class = c("POSIXct", "POSIXt" + ), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.7e-05, + connect = 0, pretransfer = 0.000103, starttransfer = 0.126306, + total = 0.126363)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/msready/search/by-formula.R b/tests/testthat/chemical-batch/chemical/msready/search/by-formula.R index d024309..c27fd0e 100644 --- a/tests/testthat/chemical-batch/chemical/msready/search/by-formula.R +++ b/tests/testthat/chemical-batch/chemical/msready/search/by-formula.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/msready/search/by-formula/", status_code = 404L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:14 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:53 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "f18e6a93-591b-42d0-56e1-410e33146900", + `x-vcap-request-id` = "312cc04a-49e2-4a5b-77ff-b42e7fbf8e83", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "kju7lmRMHRXSemziJ5Ji-NlY-KbmPBeWQGitd1jfTSnFhrX9j43Zqg=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "HqdZC0wDwOcHQFDr2mJeME6zmfWSFNsMd57Ze2Hj5H_1Qn_MhTGP8w=="), class = c("insensitive", "list")), all_headers = list(list(status = 404L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:14 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:53 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "f18e6a93-591b-42d0-56e1-410e33146900", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "312cc04a-49e2-4a5b-77ff-b42e7fbf8e83", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "kju7lmRMHRXSemziJ5Ji-NlY-KbmPBeWQGitd1jfTSnFhrX9j43Zqg=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "HqdZC0wDwOcHQFDr2mJeME6zmfWSFNsMd57Ze2Hj5H_1Qn_MhTGP8w=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -40,7 +40,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/msready/search/by-formul 0x2f, 0x6d, 0x73, 0x72, 0x65, 0x61, 0x64, 0x79, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, 0x66, 0x6f, 0x72, 0x6d, 0x75, 0x6c, 0x61, 0x2f, 0x22, 0x0a, 0x7d - )), date = structure(1716407414, class = c("POSIXct", "POSIXt" - ), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.6e-05, - connect = 0, pretransfer = 0.000109, starttransfer = 0.311369, - total = 0.3114)), class = "response") + )), date = structure(1724960153, class = c("POSIXct", "POSIXt" + ), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.2e-05, + connect = 0, pretransfer = 0.000122, starttransfer = 0.262803, + total = 0.262832)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/msready/search/by-formula/CH4.R b/tests/testthat/chemical-batch/chemical/msready/search/by-formula/CH4.R index 48d03e1..edc559e 100644 --- a/tests/testthat/chemical-batch/chemical/msready/search/by-formula/CH4.R +++ b/tests/testthat/chemical-batch/chemical/msready/search/by-formula/CH4.R @@ -1,25 +1,25 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/msready/search/by-formula/CH4", status_code = 401L, headers = structure(list(`content-type` = "application/json;charset=ISO-8859-1", `content-length` = "164", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:14 GMT", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "5c2d1868-605b-4573-7119-555e9be6c105", + date = "Thu, 29 Aug 2024 19:35:53 GMT", `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "70c2334d-5732-4c35-6438-8d638fe5cb34", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "JjHEi_k5nnk2LaCGCWyVUN84nToeXm3S5a9_zUwwByWvYKIUFT_vzA=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "zsFhk9O7obp-PdKybl6-sR3o7IzqroCqwfPNB-PtdSgTW1mujUeKgQ=="), class = c("insensitive", "list")), all_headers = list(list(status = 401L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/json;charset=ISO-8859-1", `content-length` = "164", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:14 GMT", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "5c2d1868-605b-4573-7119-555e9be6c105", + date = "Thu, 29 Aug 2024 19:35:53 GMT", `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "70c2334d-5732-4c35-6438-8d638fe5cb34", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "JjHEi_k5nnk2LaCGCWyVUN84nToeXm3S5a9_zUwwByWvYKIUFT_vzA=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "zsFhk9O7obp-PdKybl6-sR3o7IzqroCqwfPNB-PtdSgTW1mujUeKgQ=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", "POSIXt")), name = logical(0), value = logical(0)), row.names = integer(0), class = "data.frame"), content = charToRaw("{\"title\":\"API Header Not Found\",\"detail\":\"Every API call should pass assigned API key through custom http header or query parameter. Request is missing x-api-key.\"}"), - date = structure(1716407414, class = c("POSIXct", "POSIXt" - ), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.8e-05, - connect = 0, pretransfer = 0.000151, starttransfer = 0.098857, - total = 0.098906)), class = "response") + date = structure(1724960153, class = c("POSIXct", "POSIXt" + ), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.7e-05, + connect = 0, pretransfer = 9.4e-05, starttransfer = 0.124114, + total = 0.124143)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/msready/search/by-mass-3083de-POST.R b/tests/testthat/chemical-batch/chemical/msready/search/by-mass-3083de-POST.R index 48a3c42..5aa3d8a 100644 --- a/tests/testthat/chemical-batch/chemical/msready/search/by-mass-3083de-POST.R +++ b/tests/testthat/chemical-batch/chemical/msready/search/by-mass-3083de-POST.R @@ -1,24 +1,24 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/msready/search/by-mass/", status_code = 400L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:04 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:36 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", vary = "Origin", vary = "Access-Control-Request-Method", vary = "Access-Control-Request-Headers", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "93e85daa-030c-4fa9-4c42-fbdb747a3e2c", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "b8738bb0-1aa4-4f26-7fd4-6547e69c9acb", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "mDjjwyYEBvMdCSWFA_97Kzw6m5IW2DUzMUk5oSv8xL9_ucydut2TAw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "JSUwg3SxEZ6HCHtsnj13Kd3KpcPeeVjzpK9jETWpJdR5XJchIEYDqw=="), class = c("insensitive", "list")), all_headers = list(list(status = 400L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:04 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:36 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", vary = "Origin", vary = "Access-Control-Request-Method", vary = "Access-Control-Request-Headers", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "93e85daa-030c-4fa9-4c42-fbdb747a3e2c", + `x-vcap-request-id` = "b8738bb0-1aa4-4f26-7fd4-6547e69c9acb", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "mDjjwyYEBvMdCSWFA_97Kzw6m5IW2DUzMUk5oSv8xL9_ucydut2TAw=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "JSUwg3SxEZ6HCHtsnj13Kd3KpcPeeVjzpK9jETWpJdR5XJchIEYDqw=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -39,7 +39,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/msready/search/by-mass/" 0x22, 0x2f, 0x63, 0x68, 0x65, 0x6d, 0x69, 0x63, 0x61, 0x6c, 0x2f, 0x6d, 0x73, 0x72, 0x65, 0x61, 0x64, 0x79, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, 0x6d, - 0x61, 0x73, 0x73, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1716407404, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.2e-05, - connect = 0, pretransfer = 0.000176, starttransfer = 0.254375, - total = 0.254418)), class = "response") + 0x61, 0x73, 0x73, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1724960136, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.3e-05, + connect = 0, pretransfer = 0.000109, starttransfer = 0.291961, + total = 0.29202)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/msready/search/by-mass-d40255-POST.R b/tests/testthat/chemical-batch/chemical/msready/search/by-mass-d40255-POST.R index b79a733..07226db 100644 --- a/tests/testthat/chemical-batch/chemical/msready/search/by-mass-d40255-POST.R +++ b/tests/testthat/chemical-batch/chemical/msready/search/by-mass-d40255-POST.R @@ -1,24 +1,24 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/msready/search/by-mass/", status_code = 400L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:12 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:50 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", vary = "Origin", vary = "Access-Control-Request-Method", vary = "Access-Control-Request-Headers", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "b2e2fea5-39ff-4963-4509-12070d7e61a1", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "012eee27-def4-4836-5ccd-330290bc4640", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "nL9H6521n4n5d6-URCvwR9HVHxcBLVsAEnSQoesSsbt017_xukK6_Q=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "xSn6GtYmFmIC_Y5bgVKMBKP5UIXgqNeAec8rdWg2iSh9MNIHXPBlSw=="), class = c("insensitive", "list")), all_headers = list(list(status = 400L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:12 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:50 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", vary = "Origin", vary = "Access-Control-Request-Method", vary = "Access-Control-Request-Headers", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "b2e2fea5-39ff-4963-4509-12070d7e61a1", + `x-vcap-request-id` = "012eee27-def4-4836-5ccd-330290bc4640", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "nL9H6521n4n5d6-URCvwR9HVHxcBLVsAEnSQoesSsbt017_xukK6_Q=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "xSn6GtYmFmIC_Y5bgVKMBKP5UIXgqNeAec8rdWg2iSh9MNIHXPBlSw=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -39,7 +39,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/msready/search/by-mass/" 0x22, 0x2f, 0x63, 0x68, 0x65, 0x6d, 0x69, 0x63, 0x61, 0x6c, 0x2f, 0x6d, 0x73, 0x72, 0x65, 0x61, 0x64, 0x79, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, 0x6d, - 0x61, 0x73, 0x73, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1716407412, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.3e-05, - connect = 0, pretransfer = 0.000168, starttransfer = 0.096118, - total = 0.096164)), class = "response") + 0x61, 0x73, 0x73, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1724960150, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.4e-05, + connect = 0, pretransfer = 0.000135, starttransfer = 0.251776, + total = 0.251835)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/property/search/by-dtxsid-cd40e5-POST.R b/tests/testthat/chemical-batch/chemical/property/search/by-dtxsid-cd40e5-POST.R index 9373bac..1b81999 100644 --- a/tests/testthat/chemical-batch/chemical/property/search/by-dtxsid-cd40e5-POST.R +++ b/tests/testthat/chemical-batch/chemical/property/search/by-dtxsid-cd40e5-POST.R @@ -1,25 +1,25 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/property/search/by-dtxsid/", status_code = 401L, headers = structure(list(`content-type` = "application/json;charset=ISO-8859-1", `content-length` = "164", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:07 GMT", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "a63acd4a-6f5e-48f0-7ad8-d3768b181dfe", + date = "Thu, 29 Aug 2024 19:35:40 GMT", `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "e8b3ee93-8e5a-4c4d-4eae-c498fd6e5659", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "_vTCIp8S5wXHMzELc_jtmCOxreJm2ImvNP8SLZqI1jrJ8Zp_CnubUQ=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "2MQASLCwCAwUGGY6CGs0ono9ukyL1Z3tjkuv3OiOpe4Bjhv5XgF-mw=="), class = c("insensitive", "list")), all_headers = list(list(status = 401L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/json;charset=ISO-8859-1", `content-length` = "164", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:07 GMT", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "a63acd4a-6f5e-48f0-7ad8-d3768b181dfe", + date = "Thu, 29 Aug 2024 19:35:40 GMT", `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "e8b3ee93-8e5a-4c4d-4eae-c498fd6e5659", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "_vTCIp8S5wXHMzELc_jtmCOxreJm2ImvNP8SLZqI1jrJ8Zp_CnubUQ=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "2MQASLCwCAwUGGY6CGs0ono9ukyL1Z3tjkuv3OiOpe4Bjhv5XgF-mw=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", "POSIXt")), name = logical(0), value = logical(0)), row.names = integer(0), class = "data.frame"), content = charToRaw("{\"title\":\"API Header Not Found\",\"detail\":\"Every API call should pass assigned API key through custom http header or query parameter. Request is missing x-api-key.\"}"), - date = structure(1716407407, class = c("POSIXct", "POSIXt" - ), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.2e-05, - connect = 0, pretransfer = 0.000159, starttransfer = 0.098147, - total = 0.09819)), class = "response") + date = structure(1724960140, class = c("POSIXct", "POSIXt" + ), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.8e-05, + connect = 0, pretransfer = 0.00015, starttransfer = 0.117436, + total = 0.117469)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/property/search/by-dtxsid-cd40e5-POST.json b/tests/testthat/chemical-batch/chemical/property/search/by-dtxsid-cd40e5-POST.json index 32bf816..a4b716a 100644 --- a/tests/testthat/chemical-batch/chemical/property/search/by-dtxsid-cd40e5-POST.json +++ b/tests/testthat/chemical-batch/chemical/property/search/by-dtxsid-cd40e5-POST.json @@ -5,11 +5,11 @@ "id": 24053642, "source": "Alfa Aesar (Chemical company)", "description": "Alfa Aesar is a leading international manufacturer, supplier and distributor of fine chemicals, metals, and materials. Company website: https://www.alfa.com/<\/a>", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "experimental", "unit": "°C", - "propertyId": "boiling-point" + "propertyId": "boiling-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "LogKow: Octanol-Water", @@ -17,11 +17,11 @@ "id": 3558846, "source": "PhysPropNCCT", "description": "The PHYSPROP data sets are the publicly available data files underpinning the EPISuiteTM prediction models. The data were curated by NCCT using a combination of manual and automated processing routines with only the highest quality data reported.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "experimental", "unit": null, - "propertyId": "logkow-octanol-water" + "propertyId": "logkow-octanol-water", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Melting Point", @@ -29,11 +29,11 @@ "id": 13408147, "source": "Jean-Claude Bradley Open Melting Point Dataset", "description": "Jean-Claude Bradley's Legacy Dataset of Open Melting Points. Website: http://dx.doi.org/10.6084/m9.figshare.1031637<\/a>", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "experimental", "unit": "°C", - "propertyId": "melting-point" + "propertyId": "melting-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Melting Point", @@ -41,11 +41,11 @@ "id": 6255, "source": "Jean-Claude Bradley Open Melting Point Dataset", "description": "Jean-Claude Bradley's Legacy Dataset of Open Melting Points. Website: http://dx.doi.org/10.6084/m9.figshare.1031637<\/a>", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "experimental", "unit": "°C", - "propertyId": "melting-point" + "propertyId": "melting-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Melting Point", @@ -53,11 +53,11 @@ "id": 18441164, "source": "Merck Millipore (Chemical company)", "description": "Merck Millipore Merck Millipore offers tools and technologies to support the research, development and production of biotechnology and pharmaceutical drug therapies.Company website: http://www.merckmillipore.com/<\/a>", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "experimental", "unit": "°C", - "propertyId": "melting-point" + "propertyId": "melting-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Melting Point", @@ -65,11 +65,11 @@ "id": 14575465, "source": "Tokyo Chemical Industry (Chemical company)", "description": "Tokyo Chemical Industry Co. Ltd. (TCI) is a manufacturer of research chemicals and produces more than 23,000 mainly organic chemicals. Company website: http://www.tcichemicals.com/<\/a>", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "experimental", "unit": "°C", - "propertyId": "melting-point" + "propertyId": "melting-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Melting Point", @@ -77,11 +77,11 @@ "id": 4936018, "source": "Alfa Aesar (Chemical company)", "description": "Alfa Aesar is a leading international manufacturer, supplier and distributor of fine chemicals, metals, and materials. Company website: https://www.alfa.com/<\/a>", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "experimental", "unit": "°C", - "propertyId": "melting-point" + "propertyId": "melting-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Melting Point", @@ -89,11 +89,11 @@ "id": 17055770, "source": "PhysPropNCCT", "description": "The PHYSPROP data sets are the publicly available data files underpinning the EPISuiteTM prediction models. The data were curated by NCCT using a combination of manual and automated processing routines with only the highest quality data reported.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "experimental", "unit": "°C", - "propertyId": "melting-point" + "propertyId": "melting-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Water Solubility", @@ -101,11 +101,11 @@ "id": 1384014, "source": "Kovdienko, et. al. Molecular informatics 29.5 (2010): 394-406.", "description": "Kovdienko, Nikolay A., et al. \"Application of random forest and multiple linear regression techniques to QSPR prediction of an aqueous solubility for military compounds.\" Molecular informatics 29.5 (2010): 394-406. <\/a>", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "experimental", "unit": "mol/L", - "propertyId": "water-solubility" + "propertyId": "water-solubility", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Water Solubility", @@ -113,11 +113,11 @@ "id": 1327576, "source": "PhysPropNCCT", "description": "The PHYSPROP data sets are the publicly available data files underpinning the EPISuiteTM prediction models. The data were curated by NCCT using a combination of manual and automated processing routines with only the highest quality data reported.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "experimental", "unit": "mol/L", - "propertyId": "water-solubility" + "propertyId": "water-solubility", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Water Solubility", @@ -125,11 +125,11 @@ "id": 20799044, "source": "Tetko et al. J. Chem. Inf. and Comp. Sci. 41.6 (2001): 1488-1493", "description": "Tetko, Igor V., et al. \"Estimation of aqueous solubility of chemical compounds using E-state indices.\" . J. Chem. Inf. and Comp. Sci. 41.6 (2001): 1488-1493<\/a>\r\n\r\n\r\n", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "experimental", "unit": "mol/L", - "propertyId": "water-solubility" + "propertyId": "water-solubility", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Boiling Point", @@ -137,11 +137,11 @@ "id": 7128511, "source": "OPERA", "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "boiling-point" + "propertyId": "boiling-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Boiling Point", @@ -149,11 +149,11 @@ "id": 24535094, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "boiling-point" + "propertyId": "boiling-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Boiling Point", @@ -161,11 +161,11 @@ "id": 2839350, "source": "EPISUITE", "description": "EPISUITE Estimation Programs Interface Suite™<\/a> is a Windows®-based suite of physical/chemical property and environmental fate estimation programs developed by EPA’s and Syracuse Research Corp.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "boiling-point" + "propertyId": "boiling-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Boiling Point", @@ -173,11 +173,11 @@ "id": 17625124, "source": "TEST", "description": "The Toxicity Estimation Software Tool (TEST)<\/a> is an EPA software application developed to allow users to easily estimate the toxicity of chemicals using Quantitative Structure Activity Relationships (QSARs) methodologies.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "boiling-point" + "propertyId": "boiling-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Density", @@ -185,11 +185,11 @@ "id": 7708199, "source": "TEST", "description": "The Toxicity Estimation Software Tool (TEST)<\/a> is an EPA software application developed to allow users to easily estimate the toxicity of chemicals using Quantitative Structure Activity Relationships (QSARs) methodologies.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "g/cm^3", - "propertyId": "density" + "propertyId": "density", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Density", @@ -197,11 +197,11 @@ "id": 17489022, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "g/cm^3", - "propertyId": "density" + "propertyId": "density", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Flash Point", @@ -209,11 +209,11 @@ "id": 10927911, "source": "TEST", "description": "The Toxicity Estimation Software Tool (TEST)<\/a> is an EPA software application developed to allow users to easily estimate the toxicity of chemicals using Quantitative Structure Activity Relationships (QSARs) methodologies.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "flash-point" + "propertyId": "flash-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Flash Point", @@ -221,11 +221,11 @@ "id": 4273987, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "flash-point" + "propertyId": "flash-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Henry's Law", @@ -233,11 +233,11 @@ "id": 15303695, "source": "OPERA", "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "atm-m3/mole", - "propertyId": "henrys-law" + "propertyId": "henrys-law", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Index of Refraction", @@ -245,11 +245,11 @@ "id": 6118052, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": null, - "propertyId": "index-of-refraction" + "propertyId": "index-of-refraction", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "LogKoa: Octanol-Air", @@ -257,11 +257,11 @@ "id": 8180098, "source": "OPERA", "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": null, - "propertyId": "logkoa-octanol-air" + "propertyId": "logkoa-octanol-air", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "LogKow: Octanol-Water", @@ -269,11 +269,11 @@ "id": 4024313, "source": "EPISUITE", "description": "EPISUITE Estimation Programs Interface Suite™<\/a> is a Windows®-based suite of physical/chemical property and environmental fate estimation programs developed by EPA’s and Syracuse Research Corp.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": null, - "propertyId": "logkow-octanol-water" + "propertyId": "logkow-octanol-water", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "LogKow: Octanol-Water", @@ -281,11 +281,11 @@ "id": 1407811, "source": "ACD/Labs Consensus", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": null, - "propertyId": "logkow-octanol-water" + "propertyId": "logkow-octanol-water", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "LogKow: Octanol-Water", @@ -293,11 +293,11 @@ "id": 4464849, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": null, - "propertyId": "logkow-octanol-water" + "propertyId": "logkow-octanol-water", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "LogKow: Octanol-Water", @@ -305,11 +305,11 @@ "id": 1798489, "source": "OPERA", "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": null, - "propertyId": "logkow-octanol-water" + "propertyId": "logkow-octanol-water", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Melting Point", @@ -317,11 +317,11 @@ "id": 20933496, "source": "TEST", "description": "The Toxicity Estimation Software Tool (TEST)<\/a> is an EPA software application developed to allow users to easily estimate the toxicity of chemicals using Quantitative Structure Activity Relationships (QSARs) methodologies.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "melting-point" + "propertyId": "melting-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Melting Point", @@ -329,11 +329,11 @@ "id": 358487, "source": "EPISUITE", "description": "EPISUITE Estimation Programs Interface Suite™<\/a> is a Windows®-based suite of physical/chemical property and environmental fate estimation programs developed by EPA’s and Syracuse Research Corp.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "melting-point" + "propertyId": "melting-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Melting Point", @@ -341,11 +341,11 @@ "id": 11414108, "source": "OPERA", "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "°C", - "propertyId": "melting-point" + "propertyId": "melting-point", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Molar Refractivity", @@ -353,11 +353,11 @@ "id": 23096206, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "cm^3", - "propertyId": "molar-refractivity" + "propertyId": "molar-refractivity", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Molar Volume", @@ -365,11 +365,11 @@ "id": 23694637, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "cm^3", - "propertyId": "molar-volume" + "propertyId": "molar-volume", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "pKa Basic Apparent", @@ -377,11 +377,11 @@ "id": 12088318, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": null, - "propertyId": "pka-basic-apparent" + "propertyId": "pka-basic-apparent", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Polarizability", @@ -389,11 +389,11 @@ "id": 15310776, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "Å^3", - "propertyId": "polarizability" + "propertyId": "polarizability", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Surface Tension", @@ -401,11 +401,11 @@ "id": 21753712, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "dyn/cm", - "propertyId": "surface-tension" + "propertyId": "surface-tension", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Thermal Conductivity", @@ -413,11 +413,11 @@ "id": 1232347, "source": "TEST", "description": "The Toxicity Estimation Software Tool (TEST)<\/a> is an EPA software application developed to allow users to easily estimate the toxicity of chemicals using Quantitative Structure Activity Relationships (QSARs) methodologies.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "mW/(m*K)", - "propertyId": "thermal-conductivity" + "propertyId": "thermal-conductivity", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Vapor Pressure", @@ -425,11 +425,11 @@ "id": 7757072, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "mmHg", - "propertyId": "vapor-pressure" + "propertyId": "vapor-pressure", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Vapor Pressure", @@ -437,11 +437,11 @@ "id": 10420105, "source": "OPERA", "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "mmHg", - "propertyId": "vapor-pressure" + "propertyId": "vapor-pressure", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Vapor Pressure", @@ -449,11 +449,11 @@ "id": 14403037, "source": "TEST", "description": "The Toxicity Estimation Software Tool (TEST)<\/a> is an EPA software application developed to allow users to easily estimate the toxicity of chemicals using Quantitative Structure Activity Relationships (QSARs) methodologies.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "mmHg", - "propertyId": "vapor-pressure" + "propertyId": "vapor-pressure", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Viscosity", @@ -461,11 +461,11 @@ "id": 9754407, "source": "TEST", "description": "The Toxicity Estimation Software Tool (TEST)<\/a> is an EPA software application developed to allow users to easily estimate the toxicity of chemicals using Quantitative Structure Activity Relationships (QSARs) methodologies.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "cP", - "propertyId": "viscosity" + "propertyId": "viscosity", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Water Solubility", @@ -473,11 +473,11 @@ "id": 16019898, "source": "EPISUITE", "description": "EPISUITE Estimation Programs Interface Suite™<\/a> is a Windows®-based suite of physical/chemical property and environmental fate estimation programs developed by EPA’s and Syracuse Research Corp.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "mol/L", - "propertyId": "water-solubility" + "propertyId": "water-solubility", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Water Solubility", @@ -485,11 +485,11 @@ "id": 9626115, "source": "ACD/Labs", "description": "ACD/Labs physicochemical properties are predicted by the ACD/Labs Percepta Platform<\/a>. ", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "mol/L", - "propertyId": "water-solubility" + "propertyId": "water-solubility", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Water Solubility", @@ -497,11 +497,11 @@ "id": 9457408, "source": "OPERA", "description": "OPERA is a free and open source/open data suite of QSAR Models providing predictions and additional information including applicability domain and accuracy assessment, as described in the publication OPERA models for predicting physicochemical properties and environmental fate endpoints<\/a>. All models were built on curated data and standardized chemical structures as described in the publication An automated curation procedure for addressing chemical errors and inconsistencies in public datasets used in QSAR modelling<\/a>. All OPERA properties are predicted under ambient conditions of 760mm of Hg at 25 degrees Celsius.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "mol/L", - "propertyId": "water-solubility" + "propertyId": "water-solubility", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" }, { "name": "Water Solubility", @@ -509,10 +509,10 @@ "id": 7384584, "source": "TEST", "description": "The Toxicity Estimation Software Tool (TEST)<\/a> is an EPA software application developed to allow users to easily estimate the toxicity of chemicals using Quantitative Structure Activity Relationships (QSARs) methodologies.", - "dtxsid": "DTXSID7020182", - "dtxcid": "DTXCID30182", "propType": "predicted", "unit": "mol/L", - "propertyId": "water-solubility" + "propertyId": "water-solubility", + "dtxsid": "DTXSID7020182", + "dtxcid": "DTXCID30182" } ] diff --git a/tests/testthat/chemical-batch/chemical/search/contain/DTXSID7020182.R b/tests/testthat/chemical-batch/chemical/search/contain/DTXSID7020182.R index 051d5c8..4eda7d0 100644 --- a/tests/testthat/chemical-batch/chemical/search/contain/DTXSID7020182.R +++ b/tests/testthat/chemical-batch/chemical/search/contain/DTXSID7020182.R @@ -1,25 +1,25 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/search/contain/DTXSID7020182", status_code = 401L, headers = structure(list(`content-type` = "application/json;charset=ISO-8859-1", `content-length` = "164", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:12 GMT", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "1d26ff1f-9365-4086-6ef4-b7c935aeef58", + date = "Thu, 29 Aug 2024 19:35:50 GMT", `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "bfafdb61-8f97-4ee4-7630-15d9e2a8134a", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "_PkbaVBAChAzqe_iRhkVHckz_axMeVlC7Ek2c5L0ZSj6NlxmyM2wlA=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "Q87LCc_XvB03MV7EvYCDJl4KEvqMpMDqXgal-Cex-JpPK2cy-hF3tA=="), class = c("insensitive", "list")), all_headers = list(list(status = 401L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/json;charset=ISO-8859-1", `content-length` = "164", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:12 GMT", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "1d26ff1f-9365-4086-6ef4-b7c935aeef58", + date = "Thu, 29 Aug 2024 19:35:50 GMT", `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "bfafdb61-8f97-4ee4-7630-15d9e2a8134a", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "_PkbaVBAChAzqe_iRhkVHckz_axMeVlC7Ek2c5L0ZSj6NlxmyM2wlA=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "Q87LCc_XvB03MV7EvYCDJl4KEvqMpMDqXgal-Cex-JpPK2cy-hF3tA=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", "POSIXt")), name = logical(0), value = logical(0)), row.names = integer(0), class = "data.frame"), content = charToRaw("{\"title\":\"API Header Not Found\",\"detail\":\"Every API call should pass assigned API key through custom http header or query parameter. Request is missing x-api-key.\"}"), - date = structure(1716407412, class = c("POSIXct", "POSIXt" - ), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.3e-05, - connect = 0, pretransfer = 0.000161, starttransfer = 0.098685, - total = 0.098712)), class = "response") + date = structure(1724960150, class = c("POSIXct", "POSIXt" + ), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.4e-05, + connect = 0, pretransfer = 0.000145, starttransfer = 0.240806, + total = 0.240832)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/search/contain/DTXSID7020182.json b/tests/testthat/chemical-batch/chemical/search/contain/DTXSID7020182.json index 0df670a..00e0426 100644 --- a/tests/testthat/chemical-batch/chemical/search/contain/DTXSID7020182.json +++ b/tests/testthat/chemical-batch/chemical/search/contain/DTXSID7020182.json @@ -1,38 +1,38 @@ [ { + "searchName": "DSSTox_Substance_Id", + "searchValue": "DTXSID7020182", + "rank": 1, "dtxsid": "DTXSID7020182", "dtxcid": "DTXCID30182", "casrn": "80-05-7", "preferredName": "Bisphenol A", "hasStructureImage": 1, "smiles": "CC(C)(C1=CC=C(O)C=C1)C1=CC=C(O)C=C1", - "isMarkush": false, - "searchName": "DSSTox_Substance_Id", - "searchValue": "DTXSID7020182", - "rank": 1 + "isMarkush": false }, { + "searchName": "DSSTox_Substance_Id", + "searchValue": "DTXSID70201820", + "rank": 1, "dtxsid": "DTXSID70201820", "dtxcid": "DTXCID00124311", "casrn": "536-95-8", "preferredName": "Carinamide", "hasStructureImage": 1, "smiles": "OC(=O)C1=CC=C(NS(=O)(=O)CC2=CC=CC=C2)C=C1", - "isMarkush": false, - "searchName": "DSSTox_Substance_Id", - "searchValue": "DTXSID70201820", - "rank": 1 + "isMarkush": false }, { + "searchName": "DSSTox_Substance_Id", + "searchValue": "DTXSID70201825", + "rank": 1, "dtxsid": "DTXSID70201825", "dtxcid": "DTXCID00124316", "casrn": "53605-00-8", "preferredName": "Phosphorothioic acid, O,O-diethyl O-3-pyridazinyl ester", "hasStructureImage": 1, "smiles": "CCOP(=S)(OCC)OC1=NN=CC=C1", - "isMarkush": false, - "searchName": "DSSTox_Substance_Id", - "searchValue": "DTXSID70201825", - "rank": 1 + "isMarkush": false } ] diff --git a/tests/testthat/chemical-batch/chemical/search/contain/gvfdsr7.R b/tests/testthat/chemical-batch/chemical/search/contain/gvfdsr7.R index 197d6ac..f1932a1 100644 --- a/tests/testthat/chemical-batch/chemical/search/contain/gvfdsr7.R +++ b/tests/testthat/chemical-batch/chemical/search/contain/gvfdsr7.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/search/contain/gvfdsr7", status_code = 400L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:12 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:49 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "8df32bfb-5f95-4214-419c-03a0eec97b38", + `x-vcap-request-id` = "b63b7f86-0f09-4d6f-648c-00b11517874f", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "5gnNvMdzkDsIQVIxWanGpfsDAxHQ144G-__u-i6vqIoiw4QLcFjnlg=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "5Oc1Kt6-XcCUBYBCWPv_vTi2GF7_5TmOuSDvYTrZApRQG5Gw-0dUnw=="), class = c("insensitive", "list")), all_headers = list(list(status = 400L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:12 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:49 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "8df32bfb-5f95-4214-419c-03a0eec97b38", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "b63b7f86-0f09-4d6f-648c-00b11517874f", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "5gnNvMdzkDsIQVIxWanGpfsDAxHQ144G-__u-i6vqIoiw4QLcFjnlg=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "5Oc1Kt6-XcCUBYBCWPv_vTi2GF7_5TmOuSDvYTrZApRQG5Gw-0dUnw=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -42,7 +42,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/search/contain/gvfdsr7", 0x72, 0x37, 0x22, 0x2c, 0x0a, 0x20, 0x20, 0x22, 0x73, 0x75, 0x67, 0x67, 0x65, 0x73, 0x74, 0x69, 0x6f, 0x6e, 0x73, 0x22, 0x20, 0x3a, 0x20, 0x5b, 0x20, 0x6e, 0x75, 0x6c, 0x6c, 0x20, - 0x5d, 0x0a, 0x7d)), date = structure(1716407412, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.7e-05, - connect = 0, pretransfer = 0.000154, starttransfer = 1.879587, - total = 1.879623)), class = "response") + 0x5d, 0x0a, 0x7d)), date = structure(1724960149, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.7e-05, + connect = 0, pretransfer = 0.000141, starttransfer = 3.956749, + total = 3.9568)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/search/equal-a5c27e-POST.R b/tests/testthat/chemical-batch/chemical/search/equal-a5c27e-POST.R index dbd5fd9..f4cd173 100644 --- a/tests/testthat/chemical-batch/chemical/search/equal-a5c27e-POST.R +++ b/tests/testthat/chemical-batch/chemical/search/equal-a5c27e-POST.R @@ -1,25 +1,25 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/search/equal/", status_code = 401L, headers = structure(list(`content-type` = "application/json;charset=ISO-8859-1", `content-length` = "164", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:08 GMT", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "632e445b-9a3d-4e86-544b-80cc2789575d", + date = "Thu, 29 Aug 2024 19:35:41 GMT", `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "a6719bdc-c7ec-4fcd-41f0-30e7a38789dd", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "M6xn0JZ-ngPUEiZ0M0i-f0epCQtkVP3oNgeDrg6OsfvwZoQDm52Ppg=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "cUQGy7ySuylIZtDj5SCu0RVags437Ybv4uuMDwCeJ7r0NhG3qoE3Lg=="), class = c("insensitive", "list")), all_headers = list(list(status = 401L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/json;charset=ISO-8859-1", `content-length` = "164", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:08 GMT", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "632e445b-9a3d-4e86-544b-80cc2789575d", + date = "Thu, 29 Aug 2024 19:35:41 GMT", `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "a6719bdc-c7ec-4fcd-41f0-30e7a38789dd", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "M6xn0JZ-ngPUEiZ0M0i-f0epCQtkVP3oNgeDrg6OsfvwZoQDm52Ppg=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "cUQGy7ySuylIZtDj5SCu0RVags437Ybv4uuMDwCeJ7r0NhG3qoE3Lg=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", "POSIXt")), name = logical(0), value = logical(0)), row.names = integer(0), class = "data.frame"), content = charToRaw("{\"title\":\"API Header Not Found\",\"detail\":\"Every API call should pass assigned API key through custom http header or query parameter. Request is missing x-api-key.\"}"), - date = structure(1716407408, class = c("POSIXct", "POSIXt" - ), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.6e-05, - connect = 0, pretransfer = 0.000141, starttransfer = 0.102802, - total = 0.102833)), class = "response") + date = structure(1724960141, class = c("POSIXct", "POSIXt" + ), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.2e-05, + connect = 0, pretransfer = 0.000125, starttransfer = 0.119593, + total = 0.119622)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/search/start-with/DTXSID7020182.R b/tests/testthat/chemical-batch/chemical/search/start-with/DTXSID7020182.R index f1f9633..4de7054 100644 --- a/tests/testthat/chemical-batch/chemical/search/start-with/DTXSID7020182.R +++ b/tests/testthat/chemical-batch/chemical/search/start-with/DTXSID7020182.R @@ -1,25 +1,25 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/search/start-with/DTXSID7020182", status_code = 401L, headers = structure(list(`content-type` = "application/json;charset=ISO-8859-1", `content-length` = "164", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:08 GMT", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "fb28c5f6-436a-4dad-43b3-ee0176329e9c", + date = "Thu, 29 Aug 2024 19:35:41 GMT", `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "dd8621bc-ac1b-4aa9-4bfb-09622808739d", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "bqcR-bjvodLHiViMGpdzfHb7tJUwlqtcYfqL7-VkUKSDwx1rhXWfnA=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "HyQ3MxOpup9Q9BKOHgY2GD596IkNoyn5Hocs-KFv7V6Jj7YTxtM1DA=="), class = c("insensitive", "list")), all_headers = list(list(status = 401L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/json;charset=ISO-8859-1", `content-length` = "164", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:08 GMT", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "fb28c5f6-436a-4dad-43b3-ee0176329e9c", + date = "Thu, 29 Aug 2024 19:35:41 GMT", `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "dd8621bc-ac1b-4aa9-4bfb-09622808739d", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "bqcR-bjvodLHiViMGpdzfHb7tJUwlqtcYfqL7-VkUKSDwx1rhXWfnA=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "HyQ3MxOpup9Q9BKOHgY2GD596IkNoyn5Hocs-KFv7V6Jj7YTxtM1DA=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", "POSIXt")), name = logical(0), value = logical(0)), row.names = integer(0), class = "data.frame"), content = charToRaw("{\"title\":\"API Header Not Found\",\"detail\":\"Every API call should pass assigned API key through custom http header or query parameter. Request is missing x-api-key.\"}"), - date = structure(1716407408, class = c("POSIXct", "POSIXt" - ), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.2e-05, - connect = 0, pretransfer = 0.000144, starttransfer = 0.0972, - total = 0.097227)), class = "response") + date = structure(1724960141, class = c("POSIXct", "POSIXt" + ), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.5e-05, + connect = 0, pretransfer = 0.000133, starttransfer = 0.250154, + total = 0.250183)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/search/start-with/gvfdsr7.R b/tests/testthat/chemical-batch/chemical/search/start-with/gvfdsr7.R index b0e5acf..f007e2d 100644 --- a/tests/testthat/chemical-batch/chemical/search/start-with/gvfdsr7.R +++ b/tests/testthat/chemical-batch/chemical/search/start-with/gvfdsr7.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/search/start-with/gvfdsr7", status_code = 400L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:08 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:41 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "12d34703-4adf-4c8e-4f58-d7453d2a8ec7", + `x-vcap-request-id` = "5b9dc62f-2e16-4105-5fe0-6abd337f21be", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "k4G5uxOPNLn7MAq2sfnkBFzyEt-07txpVsoXFKPR8CJxUr3_m9rofA=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "3pixNQvSwvkS7TpEzlKE_b9YqRtPa--zksyAs9xDItbtU8Wbedzn8Q=="), class = c("insensitive", "list")), all_headers = list(list(status = 400L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:08 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:41 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "12d34703-4adf-4c8e-4f58-d7453d2a8ec7", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "5b9dc62f-2e16-4105-5fe0-6abd337f21be", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "k4G5uxOPNLn7MAq2sfnkBFzyEt-07txpVsoXFKPR8CJxUr3_m9rofA=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "3pixNQvSwvkS7TpEzlKE_b9YqRtPa--zksyAs9xDItbtU8Wbedzn8Q=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -42,7 +42,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/search/start-with/gvfdsr 0x66, 0x64, 0x73, 0x72, 0x37, 0x22, 0x2c, 0x0a, 0x20, 0x20, 0x22, 0x73, 0x75, 0x67, 0x67, 0x65, 0x73, 0x74, 0x69, 0x6f, 0x6e, 0x73, 0x22, 0x20, 0x3a, 0x20, 0x5b, 0x20, 0x6e, 0x75, - 0x6c, 0x6c, 0x20, 0x5d, 0x0a, 0x7d)), date = structure(1716407408, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.9e-05, - connect = 0, pretransfer = 0.00016, starttransfer = 0.313656, - total = 0.313685)), class = "response") + 0x6c, 0x6c, 0x20, 0x5d, 0x0a, 0x7d)), date = structure(1724960141, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 5.6e-05, + connect = 0, pretransfer = 0.000281, starttransfer = 0.3486, + total = 0.348638)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/synonym/search/by-dtxsid.R b/tests/testthat/chemical-batch/chemical/synonym/search/by-dtxsid.R index c6a9d2c..80deb4e 100644 --- a/tests/testthat/chemical-batch/chemical/synonym/search/by-dtxsid.R +++ b/tests/testthat/chemical-batch/chemical/synonym/search/by-dtxsid.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/synonym/search/by-dtxsid/", - status_code = 404L, headers = structure(list(`content-type` = "application/problem+json", + status_code = 405L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:20 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:36:00 GMT", allow = "POST", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "b90d0f84-fddd-4bf1-77d1-e120ddd3a5a9", + `x-vcap-request-id` = "0b8badfb-7b25-48c2-6e06-d9c0b659b7fe", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "DK3r6pfg-Y0Wrzfa6KcMzZl4XAvonmom3TrLyGiLLL0zw1xXHcNy-w=="), class = c("insensitive", - "list")), all_headers = list(list(status = 404L, version = "HTTP/1.1", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "xKPxy8T6GgnOrEc9wkFuDTpAnsEX_yL0YCFUh-Oari8SWo6yzIAX1g=="), class = c("insensitive", + "list")), all_headers = list(list(status = 405L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:20 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:36:00 GMT", allow = "POST", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "b90d0f84-fddd-4bf1-77d1-e120ddd3a5a9", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "0b8badfb-7b25-48c2-6e06-d9c0b659b7fe", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "DK3r6pfg-Y0Wrzfa6KcMzZl4XAvonmom3TrLyGiLLL0zw1xXHcNy-w=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "xKPxy8T6GgnOrEc9wkFuDTpAnsEX_yL0YCFUh-Oari8SWo6yzIAX1g=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -24,22 +24,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/synonym/search/by-dtxsid 0x70, 0x65, 0x22, 0x20, 0x3a, 0x20, 0x22, 0x61, 0x62, 0x6f, 0x75, 0x74, 0x3a, 0x62, 0x6c, 0x61, 0x6e, 0x6b, 0x22, 0x2c, 0x0a, 0x20, 0x20, 0x22, 0x74, 0x69, 0x74, 0x6c, 0x65, 0x22, - 0x20, 0x3a, 0x20, 0x22, 0x4e, 0x6f, 0x74, 0x20, 0x46, 0x6f, - 0x75, 0x6e, 0x64, 0x22, 0x2c, 0x0a, 0x20, 0x20, 0x22, 0x73, - 0x74, 0x61, 0x74, 0x75, 0x73, 0x22, 0x20, 0x3a, 0x20, 0x34, - 0x30, 0x34, 0x2c, 0x0a, 0x20, 0x20, 0x22, 0x64, 0x65, 0x74, - 0x61, 0x69, 0x6c, 0x22, 0x20, 0x3a, 0x20, 0x22, 0x4e, 0x6f, - 0x20, 0x73, 0x74, 0x61, 0x74, 0x69, 0x63, 0x20, 0x72, 0x65, - 0x73, 0x6f, 0x75, 0x72, 0x63, 0x65, 0x20, 0x63, 0x68, 0x65, + 0x20, 0x3a, 0x20, 0x22, 0x4d, 0x65, 0x74, 0x68, 0x6f, 0x64, + 0x20, 0x4e, 0x6f, 0x74, 0x20, 0x41, 0x6c, 0x6c, 0x6f, 0x77, + 0x65, 0x64, 0x22, 0x2c, 0x0a, 0x20, 0x20, 0x22, 0x73, 0x74, + 0x61, 0x74, 0x75, 0x73, 0x22, 0x20, 0x3a, 0x20, 0x34, 0x30, + 0x35, 0x2c, 0x0a, 0x20, 0x20, 0x22, 0x64, 0x65, 0x74, 0x61, + 0x69, 0x6c, 0x22, 0x20, 0x3a, 0x20, 0x22, 0x4d, 0x65, 0x74, + 0x68, 0x6f, 0x64, 0x20, 0x27, 0x47, 0x45, 0x54, 0x27, 0x20, + 0x69, 0x73, 0x20, 0x6e, 0x6f, 0x74, 0x20, 0x73, 0x75, 0x70, + 0x70, 0x6f, 0x72, 0x74, 0x65, 0x64, 0x2e, 0x22, 0x2c, 0x0a, + 0x20, 0x20, 0x22, 0x69, 0x6e, 0x73, 0x74, 0x61, 0x6e, 0x63, + 0x65, 0x22, 0x20, 0x3a, 0x20, 0x22, 0x2f, 0x63, 0x68, 0x65, 0x6d, 0x69, 0x63, 0x61, 0x6c, 0x2f, 0x73, 0x79, 0x6e, 0x6f, 0x6e, 0x79, 0x6d, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, 0x64, 0x74, 0x78, 0x73, 0x69, 0x64, - 0x2e, 0x22, 0x2c, 0x0a, 0x20, 0x20, 0x22, 0x69, 0x6e, 0x73, - 0x74, 0x61, 0x6e, 0x63, 0x65, 0x22, 0x20, 0x3a, 0x20, 0x22, - 0x2f, 0x63, 0x68, 0x65, 0x6d, 0x69, 0x63, 0x61, 0x6c, 0x2f, - 0x73, 0x79, 0x6e, 0x6f, 0x6e, 0x79, 0x6d, 0x2f, 0x73, 0x65, - 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, 0x64, 0x74, - 0x78, 0x73, 0x69, 0x64, 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1716407420, class = c("POSIXct", - "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.3e-05, - connect = 0, pretransfer = 0.000161, starttransfer = 0.298345, - total = 0.298383)), class = "response") + 0x2f, 0x22, 0x0a, 0x7d)), date = structure(1724960160, class = c("POSIXct", + "POSIXt"), tzone = "GMT"), times = c(redirect = 0, namelookup = 5.2e-05, + connect = 0, pretransfer = 0.00013, starttransfer = 0.249741, + total = 0.249777)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/synonym/search/by-dtxsid/DTXSID7020182.R b/tests/testthat/chemical-batch/chemical/synonym/search/by-dtxsid/DTXSID7020182.R index 3de09a0..3414f8b 100644 --- a/tests/testthat/chemical-batch/chemical/synonym/search/by-dtxsid/DTXSID7020182.R +++ b/tests/testthat/chemical-batch/chemical/synonym/search/by-dtxsid/DTXSID7020182.R @@ -1,25 +1,25 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/synonym/search/by-dtxsid/DTXSID7020182", status_code = 401L, headers = structure(list(`content-type` = "application/json;charset=ISO-8859-1", `content-length` = "164", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:20 GMT", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "2d37840c-559b-458b-6148-cea76baafecf", + date = "Thu, 29 Aug 2024 19:36:00 GMT", `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "9c87bc0a-ce55-42d5-56d0-304aa7ca4818", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "Gr37mGaxfSkbLF5K5TOojZR0mYbk3EbzLQMGmJVGox7NUj360CtJ7w=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "dE-A8LODxbes1gjJA5QYEOzlsCpes0qcXvHfoonMUdlkAL40VFcIuw=="), class = c("insensitive", "list")), all_headers = list(list(status = 401L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/json;charset=ISO-8859-1", `content-length` = "164", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:20 GMT", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "2d37840c-559b-458b-6148-cea76baafecf", + date = "Thu, 29 Aug 2024 19:36:00 GMT", `strict-transport-security` = "max-age=31536000", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "9c87bc0a-ce55-42d5-56d0-304aa7ca4818", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "Gr37mGaxfSkbLF5K5TOojZR0mYbk3EbzLQMGmJVGox7NUj360CtJ7w=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "dE-A8LODxbes1gjJA5QYEOzlsCpes0qcXvHfoonMUdlkAL40VFcIuw=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", "POSIXt")), name = logical(0), value = logical(0)), row.names = integer(0), class = "data.frame"), content = charToRaw("{\"title\":\"API Header Not Found\",\"detail\":\"Every API call should pass assigned API key through custom http header or query parameter. Request is missing x-api-key.\"}"), - date = structure(1716407420, class = c("POSIXct", "POSIXt" - ), tzone = "GMT"), times = c(redirect = 0, namelookup = 8.2e-05, - connect = 0, pretransfer = 0.000237, starttransfer = 0.09698, - total = 0.097028)), class = "response") + date = structure(1724960160, class = c("POSIXct", "POSIXt" + ), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.3e-05, + connect = 0, pretransfer = 0.000132, starttransfer = 0.109701, + total = 0.109728)), class = "response") diff --git a/tests/testthat/chemical-batch/chemical/synonym/search/by-dtxsid/DTXSID7020182.json b/tests/testthat/chemical-batch/chemical/synonym/search/by-dtxsid/DTXSID7020182.json index 963b2f0..82c3dc1 100644 --- a/tests/testthat/chemical-batch/chemical/synonym/search/by-dtxsid/DTXSID7020182.json +++ b/tests/testthat/chemical-batch/chemical/synonym/search/by-dtxsid/DTXSID7020182.json @@ -1,4 +1,10 @@ { + "valid": [ + "4,4’-Propane-2,2-diyldiphenol", + "80-05-7", + "Bisphenol A", + "Phenol, 4,4'-(1-methylethylidene)bis-" + ], "good": [ "2,2-Bis(4-hydroxyphenyl)propane", "2,2-Bis(4'-hydroxyphenyl) propane", @@ -42,7 +48,6 @@ "Rikabanol", "β,β'-Bis(p-hydroxyphenyl)propane" ], - "dtxsid": "DTXSID7020182", "deletedCasrn": [ "137885-53-1", "1429425-26-2", @@ -259,11 +264,6 @@ ], "beilstein": null, "alternateCasrn": null, - "pcCode": null, - "valid": [ - "4,4’-Propane-2,2-diyldiphenol", - "80-05-7", - "Bisphenol A", - "Phenol, 4,4'-(1-methylethylidene)bis-" - ] + "dtxsid": "DTXSID7020182", + "pcCode": null } diff --git a/tests/testthat/test-chemical-APIs-batch.R b/tests/testthat/test-chemical-APIs-batch.R index 763497b..818bc23 100644 --- a/tests/testthat/test-chemical-APIs-batch.R +++ b/tests/testthat/test-chemical-APIs-batch.R @@ -52,6 +52,9 @@ test_that("DTXSID/DTXCID errors", { expect_error(get_chemical_details_batch(DTXCID = 1, API_key = 'test_key'), 'Please input a character list for DTXCID!') expect_error(get_chemical_details_batch(DTXCID = list('first' = '1', 'second' = 2), API_key = 'test_key'), 'Please input a character list for DTXCID!') expect_error(get_chemical_details_batch(API_key = 'test_key'), 'Please input a list of DTXSIDs or DTXCIDs!') + expect_error(check_existence_by_dtxsid_batch(DTXSID = 1, API_key = 'test_key'), 'Please input a character list for DTXSID!') + expect_error(check_existence_by_dtxsid_batch(DTXSID = list('first' = '1', 'second' = 2), API_key = 'test_key'), 'Please input a character list for DTXSID!') + expect_error(get_chemical_details_batch(API_key = 'test_key'), 'Please input a list of DTXSIDs or DTXCIDs!') expect_error(get_chem_info_batch(DTXSID = 1, API_key = 'test_key'), 'Please input a character list for DTXSID!') expect_error(get_chem_info_batch(DTXSID = list('first' = '1', 'second' = 2), API_key = 'test_key'), 'Please input a character list for DTXSID!') expect_error(get_chem_info_batch(API_key = 'test_key', type = 'experimental'), 'Please input a character list for DTXSID!') @@ -84,6 +87,8 @@ test_that("DTXSID/DTXCID errors", { test_that('Rate limit warnings', { expect_warning(get_chemical_details_batch(DTXSID = c('DTXSID7020182'), API_key = ctx_key(), rate_limit = '0'), 'Setting rate limit to 0 seconds between requests!') expect_warning(get_chemical_details_batch(DTXSID = c('DTXSID7020182'), API_key = ctx_key(), rate_limit = -1), 'Setting rate limit to 0 seconds between requests!') + expect_warning(check_existence_by_dtxsid_batch(DTXSID = c('DTXSID7020182'), API_key = ctx_key(), rate_limit = '0'), 'Setting rate limit to 0 seconds between requests!') + expect_warning(check_existence_by_dtxsid_batch(DTXSID = c('DTXSID7020182'), API_key = ctx_key(), rate_limit = -1), 'Setting rate limit to 0 seconds between requests!') #expect_warning(get_chemical_by_property_range_batch(start_list = c(1), end_list = c(2), property_list = c('Boiling point'), API_key = ctx_key(), rate_limit = '0'), 'Setting rate limit to 0 seconds between requests!') #expect_warning(get_chemical_by_property_range_batch(start_list = c(1), end_list = c(2), property_list = c('Boiling point'), API_key = ctx_key(), rate_limit = -1), 'Setting rate limit to 0 seconds between requests!') expect_warning(get_chem_info_batch(DTXSID = c('DTXSID7020182'), type = 8, API_key = ctx_key(), rate_limit = '0'), 'Setting rate limit to 0 seconds between requests!') @@ -179,6 +184,8 @@ test_that('Return data types', { expect_type(get_chemical_details_batch(DTXCID = 'DTXCID30182', Projection = '', API_key = ctx_key()), 'list') expect_type(get_chemical_details_batch(DTXSID = '', API_key = ctx_key()), 'list') expect_type(get_chemical_details_batch(DTXSID = 'DTXSID7020182', API_key = ''), 'list') + expect_type(check_existence_by_dtxsid_batch(DTXSID = 'DTXSID7020182', API_key = ctx_key()), 'list') + expect_type(check_existence_by_dtxsid_batch(DTXSID = '', API_key = ctx_key()), 'list') expect_type(generate_ranges(end = 'p'), 'list') expect_type(generate_ranges(end = -1), 'list') expect_type(generate_ranges(end = 205), 'list') From 4e4c85ec63ff099b6f6167255c7ffc5a7b7cde1d Mon Sep 17 00:00:00 2001 From: Paul Kruse Date: Thu, 29 Aug 2024 15:46:21 -0400 Subject: [PATCH 12/15] Adjusted hex logo position. Added example of batch search. --- vignettes/Chemical.Rmd | 15 ++++++++++++++- 1 file changed, 14 insertions(+), 1 deletion(-) diff --git a/vignettes/Chemical.Rmd b/vignettes/Chemical.Rmd index 35e449f..cd001c2 100644 --- a/vignettes/Chemical.Rmd +++ b/vignettes/Chemical.Rmd @@ -59,10 +59,12 @@ registerS3method( ) ``` - + ## Introduction + + In this vignette, [CTX Chemical API](https://api-ccte.epa.gov/docs/chemical.html) will be explored. The foundation of toxicology, toxicokinetics, and exposure is embedded in the physics and chemistry of chemical-biological interactions. The accurate characterization of chemical structure linked to commonly used identifiers, such as names and Chemical Abstracts Service Registry Numbers (CASRNs), is essential to support both predictive modeling of the data as well as dissemination and application of the data for chemical safety decisions. @@ -111,13 +113,24 @@ chemical_details_by_batch_dtxcid <- get_chemical_details_batch(DTXCID = vector_d # Pubchem Link to GHS classification +## GHS classification + `check_existence_by_dtxsid()` checks if the supplied DTXSID is valid and returns a URL for additional information on the chemical in the case of a valid DTXSID. +### By DTXSID + ```{r ctxr dtxsid check, message=FALSE, eval=FALSE} dtxsid_check_true <- check_existence_by_dtxsid(DTXSID = 'DTXSID7020182') dtxsid_check_false <- check_existence_by_dtxsid(DTXSID = 'DTXSID7020182f') ``` +### By Batch Search + +```{r ctxr dtxsid check batch, message=FALSE, eval=FALSE} +vector_dtxsid_and_non_dtxsid <- c('DTXSID7020182F', 'DTXSID7020182', 'DTXSID0020232F') +dtxsid_checks <- check_existence_by_dtxsid_batch(DTXSID = vector_dtxsid_and_non_dtxsid) +``` + # Chemical Property Resource From 05f0ddd9124ec4abbec1b1a2fa9fcfcb70f58930 Mon Sep 17 00:00:00 2001 From: Paul Kruse Date: Thu, 29 Aug 2024 15:46:40 -0400 Subject: [PATCH 13/15] Reran tests to capture updated recordings. --- .../chemical/file/mol/search/by-dtxsid.R | 24 +++++++++---------- 1 file changed, 12 insertions(+), 12 deletions(-) diff --git a/tests/testthat/chemical-batch/chemical/file/mol/search/by-dtxsid.R b/tests/testthat/chemical-batch/chemical/file/mol/search/by-dtxsid.R index 7c374e8..bd4e38b 100644 --- a/tests/testthat/chemical-batch/chemical/file/mol/search/by-dtxsid.R +++ b/tests/testthat/chemical-batch/chemical/file/mol/search/by-dtxsid.R @@ -1,21 +1,21 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/file/mol/search/by-dtxsid/", status_code = 404L, headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:18 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:58 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", `x-content-type-options` = "nosniff", - `x-vcap-request-id` = "861045e4-f469-46a7-5c1f-08ca72ff3bdc", + `x-vcap-request-id` = "b57df76d-b222-4010-7c1b-3acc418baafe", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "wDok6iNesmEnsu9khF4wq2ZQ1-i0SvHpwsuC_L15fyzi8mkhT0byUA=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "HLtBkXWLkCQV7_BYT-NKjYk1hfHaStVepaHvEXJCW4U4FILqmQFAoA=="), class = c("insensitive", "list")), all_headers = list(list(status = 404L, version = "HTTP/1.1", headers = structure(list(`content-type` = "application/problem+json", `transfer-encoding` = "chunked", connection = "keep-alive", - date = "Wed, 22 May 2024 19:50:18 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", + date = "Thu, 29 Aug 2024 19:35:58 GMT", `cache-control` = "max-age=0, must-revalidate, no-transform", `strict-transport-security` = "max-age=31536000", - `x-content-type-options` = "nosniff", `x-vcap-request-id` = "861045e4-f469-46a7-5c1f-08ca72ff3bdc", + `x-content-type-options` = "nosniff", `x-vcap-request-id` = "b57df76d-b222-4010-7c1b-3acc418baafe", `x-xss-protection` = "1; mode=block", `x-frame-options` = "DENY", - `x-cache` = "Error from cloudfront", via = "1.1 052215bfd8d35ecb703b208e875bd350.cloudfront.net (CloudFront)", - `x-amz-cf-pop` = "ATL59-P8", `x-amz-cf-id` = "wDok6iNesmEnsu9khF4wq2ZQ1-i0SvHpwsuC_L15fyzi8mkhT0byUA=="), class = c("insensitive", + `x-cache` = "Error from cloudfront", via = "1.1 b5e757a7da6f6fe6261f56a8a9646880.cloudfront.net (CloudFront)", + `x-amz-cf-pop` = "IAD89-C1", `x-amz-cf-id` = "HLtBkXWLkCQV7_BYT-NKjYk1hfHaStVepaHvEXJCW4U4FILqmQFAoA=="), class = c("insensitive", "list")))), cookies = structure(list(domain = logical(0), flag = logical(0), path = logical(0), secure = logical(0), expiration = structure(numeric(0), class = c("POSIXct", @@ -40,7 +40,7 @@ structure(list(url = "https://api-ccte.epa.gov/chemical/file/mol/search/by-dtxsi 0x2f, 0x66, 0x69, 0x6c, 0x65, 0x2f, 0x6d, 0x6f, 0x6c, 0x2f, 0x73, 0x65, 0x61, 0x72, 0x63, 0x68, 0x2f, 0x62, 0x79, 0x2d, 0x64, 0x74, 0x78, 0x73, 0x69, 0x64, 0x2f, 0x22, 0x0a, 0x7d - )), date = structure(1716407418, class = c("POSIXct", "POSIXt" - ), tzone = "GMT"), times = c(redirect = 0, namelookup = 3.8e-05, - connect = 0, pretransfer = 0.000175, starttransfer = 0.250818, - total = 0.250851)), class = "response") + )), date = structure(1724960158, class = c("POSIXct", "POSIXt" + ), tzone = "GMT"), times = c(redirect = 0, namelookup = 4.3e-05, + connect = 0, pretransfer = 0.000128, starttransfer = 0.25891, + total = 0.258949)), class = "response") From cff9cf613c405efe9f7b959000a235bbd54cb47c Mon Sep 17 00:00:00 2001 From: Paul Kruse Date: Thu, 29 Aug 2024 15:51:22 -0400 Subject: [PATCH 14/15] Updated NEWS.md to include new functions. --- NEWS.md | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/NEWS.md b/NEWS.md index 7007c45..3b2bb11 100644 --- a/NEWS.md +++ b/NEWS.md @@ -12,6 +12,10 @@ information from 400 errors (@kisaacs1, #11). ## New features +* Added `check_existence_by_dtxsid()`, `check_existence_by_dtxsid_batch()` +functions. Updated the `Chemical.Rmd` vignette to include examples of how to use +these functions (#27). + * Added `get_httk_data()`, `get_httk_data_batch()`, `get_general_exposure_prediction()`, `get_general_exposure_prediction_batch()`, `get_demographic_exposure_prediction()`, From 3aa751d78e846e8d1c6d850150e1ccfd0c347914 Mon Sep 17 00:00:00 2001 From: Paul Kruse Date: Fri, 30 Aug 2024 09:48:42 -0400 Subject: [PATCH 15/15] Removed commented out lines. --- R/chemical-APIs-batch.R | 8 -------- 1 file changed, 8 deletions(-) diff --git a/R/chemical-APIs-batch.R b/R/chemical-APIs-batch.R index 837fa7b..e006e51 100644 --- a/R/chemical-APIs-batch.R +++ b/R/chemical-APIs-batch.R @@ -1292,14 +1292,6 @@ chemical_equal_batch <- function(word_list = NULL, valid_index <- which(unlist(lapply(results$searchMsgs, is.null))) invalid_index <- setdiff(seq_along(results$searchMsgs), valid_index) - # print('Valid') - # print(valid_index) - # - # print('Invalid') - # print(setdiff(seq_along(results$suggestions), valid_index)) - # - # print(names(results)) - return_list$valid <- data.table::copy(results)[valid_index, -c(11:12)] return_list$invalid <- data.table::copy(results)[invalid_index, c(7, 11:13)]