diff --git a/.github/workflows/ENVIRONMENT_VARIABLES.md b/.github/workflows/ENVIRONMENT_VARIABLES.md
new file mode 100644
index 00000000..9cfb9510
--- /dev/null
+++ b/.github/workflows/ENVIRONMENT_VARIABLES.md
@@ -0,0 +1,56 @@
+# J40 Workflow Environment Variables and Secrets
+
+## Summary
+The Github Action workflows used to build and deploy the Justice40 data pipeline and website depend on some environment variables. Non-sensitive values are stored in the Github repo as [environment variables](https://docs.github.com/en/actions/writing-workflows/choosing-what-your-workflow-does/store-information-in-variables). Sensitive values that should not be exposed publicly are stored in the repo as [secrets](https://docs.github.com/en/actions/security-for-github-actions/security-guides/using-secrets-in-github-actions).
+
+## List of Environment Variables
+
+### DESTINATION_FOLDER
+This is a local environment variable in the Deploy Frontend Main workflow derived from branch name used to name the deploy directory
+
+### SCORE_VERSION
+The version of the scoring to be deployed. The current version is "2.0".
+
+## List of Secrets
+
+### CENSUS_API_KEY
+The key used to access US Census datasets via its [APIs](https://www.census.gov/data/developers/data-sets.html). A new key can be requested for free [here](https://api.census.gov/data/key_signup.html).
+
+### CLIENT_DEV_AWS_ACCESS_KEY_ID
+The AWS access key id used to add/remove files to the S3_WEB_BUCKET, as well as invalidating the Cloudfront distribution belonging to WEB_CDN_ID. This access key requires read/write access to the S3 bucket, and full access to the Cloudfront distribution.
+
+### CLIENT_DEV_AWS_SECRET_ACCESS_KEY
+The AWS secret access key belonging to CLIENT_DEV_AWS_ACCESS_KEY_ID.
+
+### DATA_CDN_ID
+The ID of the AWS Cloudfront distribution for the S3_DATA_BUCKET.
+
+### DATA_DEV_AWS_ACCESS_KEY_ID
+The AWS access key id used to add/remove files to the S3_DATA_BUCKET, as well as invalidating the Cloudfront distribution belonging to DATA_CDN_ID. This access key requires read/write access to the S3 bucket, and full access to the Cloudfront distribution.
+
+### DATA_DEV_AWS_SECRET_ACCESS_KEY
+The AWS secret access key belonging to DATA_DEV_AWS_ACCESS_KEY_ID.
+
+### DATA_SOURCE
+Local variable that determines if the website should point to a local directory or use the production AWS cdn for backend data. Value can be set to `cdn` or `local`.
+
+### DATA_URL
+The full address of the backend data files hostname, currently [https://static-data-screeningtool.geoplatform.gov](https://static-data-screeningtool.geoplatform.gov). This information is public so technically it could be changed to be a non-secret environment variable.
+
+### J40_TOOL_MONITORING_SLACK_ALERTS
+The [Slack webhook](https://api.slack.com/messaging/webhooks) address used by the Ping Check workflow to send failure alerts.
+
+### SITE_URL
+The full address of the Justice40 Website hostname, currently [https://screeningtool.geoplatform.gov](https://screeningtool.geoplatform.gov). This information is public so technically it could be changed to be a non-secret environment variable.
+
+### S3_DATA_BUCKET
+The name of the AWS S3 bucket hosting the files created by the data pipeline application.
+
+### S3_WEBSITE_BUCKET
+The name of the AWS S3 bucket hosting the static website files.
+
+### WEB_CDN_ID
+The ID of the AWS Cloudfront distribution for the S3_WEBSITE_BUCKET.
+
+## Future Improvements
+To improve security, a few items should be addressed. The use of AWS access keys should be replaced by a more secure soultion such as [OpenID Connect (OIDC)](https://aws.amazon.com/blogs/security/use-iam-roles-to-connect-github-actions-to-actions-in-aws/). If continuing to use AWS acccess keys, then key rotation should be implemented using a process such as the one documented [here](https://docs.aws.amazon.com/prescriptive-guidance/latest/patterns/automatically-rotate-iam-user-access-keys-at-scale-with-aws-organizations-and-aws-secrets-manager.html). The CENSUS_API_KEY could be rotated, but it would have to be a manual process as there is no programmatic way to generate a new key.
diff --git a/.github/workflows/INFRASTRUCTURE.md b/.github/workflows/INFRASTRUCTURE.md
new file mode 100644
index 00000000..f0c95e4e
--- /dev/null
+++ b/.github/workflows/INFRASTRUCTURE.md
@@ -0,0 +1,50 @@
+# Justice40 Website Infrastructure
+
+## Summary
+The infrastructure setup to deploy the Justice40 website consists of two AWS S3 buckets, one for the backend data and one for the frontend web client. Each S3 bucket has an AWS Cloudfront distribution set up to serve the bucket contents. Each Cloudfront distribution has a .gov dns hostname pointed to itself.
+
+### Data Bucket
+The Data Bucket contains two main directories: `data-sources` and `data-versions`. The `data-sources` folder contains cached copies of the data sets used by the etl pipeline. Unprocessed data sets are in individual directories under a sub-directory called `raw-data-sources`. The `data-verions` folder contains the uploaded output of the etl pipeline. This includes scoring files and map tile files. The files are uploaded to a subfolder named for the version of the scoring used for file creation. The current version is `2.0`.
+
+```
+ .
+ ├── data-sources
+ │ ├── raw-data-sources
+ │ │ └── ...
+ │ └── ...
+ └── data-versions
+ ├── 1.0
+ │ └── ...s
+ ├── 2.0
+ │ └── data
+ │ ├── csv
+ │ │ └── ...
+ │ ├── downloadable
+ │ │ └── ...
+ │ ├── geojson
+ │ │ └── ...
+ │ ├── search
+ │ │ └── ...
+ │ ├── shapefile
+ │ │ └── ...
+ │ └── tiles
+ │ └── ...
+ └── ...
+```
+
+### Data Cloudfront Distribution
+The Data Cloudfront Distribution is the CDN for Data Bucket. The data bucket should be used as the origin for the cloudfront distribution.
+
+### Website Bucket
+The Website Bucket contains the static website files. Instead of deploying to the top level of the bucket, files are deployed under a folder called justice40-tool. In order to support multiple environmetns, files are deployed to a folder named for the environment or branch in the Github Repo that deployed the files. Currently the production website is deployed to a folder called `main`. A staging environment could be deployed in parallel to a folder named `staging`.
+
+```
+ .
+ └── justice40-tool
+ ├── main
+ │ └── ...
+ └── ...
+```
+
+### Website Cloudfront Distrubtion
+The Website Cloudfront Distribution is the CDN for the Website Bucket. The website bucket should be used as the origin for the cloudfront distribution. Furthermore, the origin path for the distribution should be set to file path of the static website files that are uploaded, else the website will not display properly. Currently the productin origin path is `/justice40-tool/main`.
diff --git a/.github/workflows/README.md b/.github/workflows/README.md
index 190c87f6..c82935c3 100644
--- a/.github/workflows/README.md
+++ b/.github/workflows/README.md
@@ -7,3 +7,31 @@ This project is deployed on an AWS account managed by [GeoPlatform.gov](https://
The names of the Github Actions stages in the yaml files should describe what each step does, so it is best to refer there to understand the latest of what everything is doing.
To mitigate the risk of having this README quickly become outdated as the project evolves, avoid documenting anything application or data pipeline specific here. Instead, go back up to the [top level project README](/README.md) and refer to the documentation on those components directly.
+
+## List of Current Workflows
+
+### Check Markdown Links
+Runs Linkspector with Reviewdog on pull requests to identify and report on dead hyperlinks within the code.
+
+### CodeQL
+Runs Github's CodeQL engine against the code to check for security vulnerabilities.
+
+### Compile Mermaid to MD
+Compiles mermaid markdown into images. This action should be deprecated as the action is no longer supported
+
+### Deploy Backend Main
+Builds and deploys the backend data pipeline to AWS. This workflow is set to be triggered manually.
+
+### Deploy Frontend Main
+Builds and deploys the frontend web client to AWS when changes to the ./client directory are merged into main.
+
+### pages-build-deployment
+
+### Ping Check
+Runs a check on the J40 website checking for a return of status 200
+
+### Pull Request Backend
+Builds the backend data pipeline when a pull request is opened with changes within the ./data directory
+
+### Pull Request Frontend
+Builds the frontend web client when a pull request is opened with changes within the ./client directory
diff --git a/client/src/components/Categories/__snapshots__/Categories.test.tsx.snap b/client/src/components/Categories/__snapshots__/Categories.test.tsx.snap
index f4fc7e4a..10bdb54a 100644
--- a/client/src/components/Categories/__snapshots__/Categories.test.tsx.snap
+++ b/client/src/components/Categories/__snapshots__/Categories.test.tsx.snap
@@ -40,8 +40,7 @@ exports[`rendering of the Categories checks if component renders 1`] = `
>
statistical areas
- are determined by the U.S. Census Bureau once every ten years. The tool utilizes the census tract boundaries from 2010. This was chosen because many of the data sources in the tool currently use the 2010
- census boundaries.
+ are determined by the U.S. Census Bureau once every ten years. The tool utilizes the census tract boundaries from 2010.
diff --git a/client/src/components/DatasetCard/DatasetCard.tsx b/client/src/components/DatasetCard/DatasetCard.tsx
index 14679f0b..2a27a57f 100644
--- a/client/src/components/DatasetCard/DatasetCard.tsx
+++ b/client/src/components/DatasetCard/DatasetCard.tsx
@@ -75,6 +75,10 @@ const DatasetCard = ({datasetCardProps}: IDatasetCardProps) => {
{intl.formatMessage(METHODOLOGY_COPY.DATASET_CARD_LABELS.NEW)}
>)}
+ {dataSource.isUpdated && (<>
+
+ {intl.formatMessage(METHODOLOGY_COPY.DATASET_CARD_LABELS.UPDATED)}
+ >)}
{/* Dataset Available for */}
diff --git a/client/src/components/DatasetContainer/tests/__snapshots__/datasetContainer.test.tsx.snap b/client/src/components/DatasetContainer/tests/__snapshots__/datasetContainer.test.tsx.snap
index 1f59d8d2..ca1692bb 100644
--- a/client/src/components/DatasetContainer/tests/__snapshots__/datasetContainer.test.tsx.snap
+++ b/client/src/components/DatasetContainer/tests/__snapshots__/datasetContainer.test.tsx.snap
@@ -190,6 +190,34 @@ exports[`rendering of the DatasetContainer checks if various text fields are vis
All U.S. states, the District of Columbia, and Puerto Rico
+
+
+ Available for:
+
+ American Samoa, Guam, the Northern Mariana Islands, and the U.S. Virgin Islands
+
+
- NEW
+ UPDATED
@@ -1837,7 +1865,7 @@ exports[`rendering of the DatasetContainer checks if various text fields are vis
class="usa-tag"
data-testid="tag"
>
- NEW
+ UPDATED
@@ -1916,7 +1944,7 @@ exports[`rendering of the DatasetContainer checks if various text fields are vis
class="usa-tag"
data-testid="tag"
>
- NEW
+ UPDATED
@@ -1995,7 +2023,7 @@ exports[`rendering of the DatasetContainer checks if various text fields are vis
class="usa-tag"
data-testid="tag"
>
- NEW
+ UPDATED
);
};
diff --git a/client/src/components/HowYouCanHelp/tests/__snapshots__/howYouCanHelp.test.tsx.snap b/client/src/components/HowYouCanHelp/tests/__snapshots__/howYouCanHelp.test.tsx.snap
index 80fa90d7..d2e32037 100644
--- a/client/src/components/HowYouCanHelp/tests/__snapshots__/howYouCanHelp.test.tsx.snap
+++ b/client/src/components/HowYouCanHelp/tests/__snapshots__/howYouCanHelp.test.tsx.snap
@@ -44,11 +44,6 @@ exports[`rendering of the HowYouCanHelp checks if various text fields are visibl
.
-
-
- The Council on Environmental Quality plans to issue a Request for Information in 2023. This will give the public time to use the tool before providing comments.
-
-
`;
diff --git a/client/src/components/J40Footer/J40Footer.tsx b/client/src/components/J40Footer/J40Footer.tsx
index 0f0fbd8e..da6c39fe 100644
--- a/client/src/components/J40Footer/J40Footer.tsx
+++ b/client/src/components/J40Footer/J40Footer.tsx
@@ -13,6 +13,7 @@ import SurveyButton from '../SurveyButton';
// @ts-ignore
import {GITHUB_LINK, GITHUB_LINK_ES} from '../../constants';
+import {PAGES_ENDPOINTS} from '../../data/constants';
import * as COMMON_COPY from '../../data/copy/common';
import whitehouseIcon from '../../images/eop-seal.svg';
@@ -48,7 +49,7 @@ const J40Footer = () => {
{
diff --git a/client/src/components/ReleaseUpdate/__snapshots__/ReleaseUpdate.test.tsx.snap b/client/src/components/ReleaseUpdate/__snapshots__/ReleaseUpdate.test.tsx.snap
index 57e97dd7..823cccfe 100644
--- a/client/src/components/ReleaseUpdate/__snapshots__/ReleaseUpdate.test.tsx.snap
+++ b/client/src/components/ReleaseUpdate/__snapshots__/ReleaseUpdate.test.tsx.snap
@@ -30,54 +30,59 @@ exports[`rendering of ReleaseUpdate Component checks if component renders 1`] =
Version 2.0 Release update - Dec 19, 2024
- New & improved
+ New & Improved
- Scoring improvements
+ Added the low income burden to American Samoa, Guam, the Mariana Islands, and the U.S. Virgin
+ Islands
-
-
- Updated to use Census Decennial 2020 data for the U.S. territories
- of Guam, Virgin Islands, Northern Mariana Islands, and American Samoa
-
-
- U.S. territories of Guam, Virgin Islands, Northern Mariana Islands,
- and American Samoa qualify as disadvantaged communities based on a low-income
- threshold at or above the 65th percentile, in addition to any existing qualification
- pathways
-
-
- Apply a donut hole disadvantaged community qualification to U.S.
- territories of Guam, Virgin Islands, Northern Mariana Islands, American Samoa,
- and Puerto Rico based on adjacency to already qualifying disadvantaged community
- tracts and meeting a 50th percentile low-income threshold
-
-
- Improved donut hole disadvantaged community qualification by
- adding tracts that are fully surrounded and have water boundaries
-
-
- The poverty percentage calculation excludes college students,
- ensuring it reflects the economic conditions of the non-college population
-
-
- Grandfathering of Census tracts that were designated as
- disadvantaged communities in version 1.0 of this tool
-
-
- User interface improvements
+ Tracts in these territories that are completely surrounded by disadvantaged tracts and exceed
+ an adjusted low income threshold are now considered disadvantaged
+
+
+ Additionally, census tracts in these four Territories are now considered disadvantaged if they
+ meet the low income threshold only, because these Territories are not included in the nationally-consistent
+ datasets on environmental and climate burdens used in the tool
+
+
+ Updated the data in the workforce development category to the Census Decennial 2020 data for
+ the U.S. territories of Guam, Virgin Islands, Northern Mariana Islands, and American Samoa
+
+
+ Made improvements to the low income burden to better identify college students before they are
+ excluded from that burden’s percentile
+
+
+ Census tracts that were disadvantaged under version 1.0 continue to be considered as
+ disadvantaged in version 2.0
+
+
+
+
+ Technical Fixes
+
+
+
+
+ For tracts that have water boundaries, e.g. coastal or island tracts, the water boundaries are
+ now excluded from the calculation to determine if a tract is 100% surrounded by disadvantaged census tracts
+
+
+
+
+ User Interface Improvements
+
+
+
+
+ Added the ability to search by census tract ID
+
+
+ The basemap has been updated to use a free, open source map
-
-
- Users can now search on the map by Census tract ID
-
-
- Show island and territory low-income percentiles in the sidebar
-
-
diff --git a/client/src/components/TractDemographics/__snapshots__/TractDemographics.test.tsx.snap b/client/src/components/TractDemographics/__snapshots__/TractDemographics.test.tsx.snap
index 58632398..3c737c35 100644
--- a/client/src/components/TractDemographics/__snapshots__/TractDemographics.test.tsx.snap
+++ b/client/src/components/TractDemographics/__snapshots__/TractDemographics.test.tsx.snap
@@ -139,7 +139,7 @@ exports[`rendering of TractDemographics component does it render a tract in Alas
- Elderly over 65
+ Adults over 65
12%
@@ -289,7 +289,7 @@ exports[`rendering of TractDemographics component does it render a tract in Amer
- Elderly over 65
+ Adults over 65
--
@@ -439,7 +439,7 @@ exports[`rendering of TractDemographics component does it render a tract in NYC
- Elderly over 65
+ Adults over 65
6%
diff --git a/client/src/data/copy/about.tsx b/client/src/data/copy/about.tsx
index ee628bff..ce5ce863 100644
--- a/client/src/data/copy/about.tsx
+++ b/client/src/data/copy/about.tsx
@@ -19,11 +19,6 @@ export const CEJST_INSTRUCT_ES = process.env.GATSBY_CDN_TILES_BASE_URL +`/data-v
export const CEJST_MEMO = `https://www.whitehouse.gov/wp-content/uploads/2023/01/M-23-09_Signed_CEQ_CPO.pdf`;
export const CEJST_MEMO_ES = process.env.GATSBY_CDN_TILES_BASE_URL +`/data-versions/2.0/data/score/downloadable/M-23-09_Signed_CEQ_CPO_es.pdf`;
-export const USE_MAP_TUTORIAL_LINK = process.env.GATSBY_CDN_TILES_BASE_URL +`/data-versions/2.0/data/score/downloadable/Using-the-CEJST-Tutorial.pdf`;
-export const USE_MAP_TUTORIAL_LINK_ES = process.env.GATSBY_CDN_TILES_BASE_URL +`/data-versions/2.0/data/score/downloadable/Using-the-CEJST-Tutorial-es.pdf`;
-export const USE_DATA_TUTORIAL_LINK = process.env.GATSBY_CDN_TILES_BASE_URL +`/data-versions/2.0/data/score/downloadable/Using-the-CEJST-Spreadsheet-Tutorial.pdf`;
-export const USE_DATA_TUTORIAL_LINK_ES = process.env.GATSBY_CDN_TILES_BASE_URL +`/data-versions/2.0/data/score/downloadable/Using-the-CEJST-Spreadsheet-Tutorial-es.pdf`;
-
export const PAGE = defineMessages({
TITLE: {
id: 'about.page.title.text',
@@ -36,7 +31,7 @@ export const CONTENT = {
PARA1:
Executive Order 14008. The order directed the Council on Environmental Quality (CEQ) to develop a new tool. This tool is called the Climate and Economic Justice Screening Tool. The tool has an interactive map and uses datasets that are indicators of burdens in eight categories: climate change, energy, health, housing, legacy pollution, transportation, water and wastewater, and workforce development. The tool uses this information to identify communities that are experiencing these burdens. These are the communities that are disadvantaged because they are marginalized by underinvestment and overburdened by pollution.`}
+ defaultMessage={`This tool is called the Climate and Economic Justice Screening Tool. The tool has an interactive map and uses datasets that are indicators of burdens in eight categories: climate change, energy, health, housing, legacy pollution, transportation, water and wastewater, and workforce development. The tool uses this information to identify communities that are experiencing these burdens. These are the communities that are disadvantaged because they are marginalized by underinvestment and overburdened by pollution.`}
description={'Navigate to the About page. This is the paragraph 1'}
values={{
link1: linkFn(EXEC_ORDER_LINK, false, true),
@@ -46,50 +41,9 @@ export const CONTENT = {
PARA2:
Justice40 Initiative. The Justice40 Initiative seeks to deliver 40% of the overall benefits of investments in climate, clean energy, and related areas to disadvantaged communities.`}
- description={'Navigate to the About page. This is the paragraph 2'}
- values={{
- link1: linkFn(EXEC_ORDER_LINK, false, true),
- italictag: italicFn,
- }}
- />,
- PARA3:
- ,
- LI1:
- Memorandum on Using the CEJST for the Justice40 Initiative
- `}
- description={'Navigate to the About page. This is the list item 1'}
- values={{
- link1: linkFn(CEJST_MEMO, false, true),
- }}
- />,
- LI2:
- Instructions to Federal agencies on using the CEJST
- `}
- description={'Navigate to the About page. This is the list item 2'}
- values={{
- link1: linkFn(CEJST_INSTRUCT, false, true),
- link1es: linkFn(CEJST_INSTRUCT_ES, false, true),
- }}
- />,
- PARA4:
- ,
- PARA5:
+ PARA3:
,
- USE_DATA_PARA:
- download. This data can be used to filter by state or county.
- `}
- description={'Navigate to the About page. This is the paragraph 4'}
- values={{
- link1: linkFn(PAGES_ENDPOINTS.DOWNLOADS, true, false),
- }}
- />,
HOW_TO_USE_PARA1:
statistical areas are determined by the U.S. Census Bureau once every ten years. The tool utilizes the census tract boundaries from 2020. This was chosen because many of the data sources in the tool currently use the 2010 census boundaries. The tool also shows land within the boundaries of Federally Recognized Tribes and point locations for Alaska Native Villages and landless Tribes in the lower 48 states.`}
+ The tool shows information about the burdens that communities experience. It uses datasets to identify indicators of burdens. The tool shows these burdens in census tracts. Census tracts are small units of geography. Census tract boundaries for statistical areas are determined by the U.S. Census Bureau once every ten years. The tool utilizes the census tract boundaries from 2010. The tool also shows land within the boundaries of Federally Recognized Tribes and point locations for Alaska Native Villages and landless Tribes in the lower 48 states.`}
description={'Navigate to the About page. This is the paragraph 4'}
values={{
link1: linkFn('https://www.census.gov/programs-surveys/acs/geography-acs/geography-boundaries-by-year.html', false, true),
@@ -137,21 +80,6 @@ export const CONTENT = {
link1: linkFn(PAGES_ENDPOINTS.METHODOLOGY, true, false),
}}
/>,
-
- USE_MAP_TUTORIAL: ,
- USE_DATA_TUTORIAL: ,
};
@@ -166,23 +94,6 @@ export const HOW_TO_USE_TOOL = defineMessages({
defaultMessage: 'The tool ranks most of the burdens using percentiles. Percentiles show how much burden each tract experiences compared to other tracts. Certain burdens use percentages or a simple yes/no.',
description: 'Navigate to the About page. This is the sub heading of How to use the tool paragraph1',
},
- USE_MAP_HEADING: {
- id: 'about.page.use.map.heading',
- defaultMessage: 'Using the map',
- description: 'Navigate to the About page. This is the sub heading of Using the map',
- },
- USE_MAP_PARA: {
- id: 'about.page.use.map.para',
- defaultMessage: `
- Zoom in and select any census tract to see if it is considered disadvantaged.
- `,
- description: 'Navigate to the About page. This is the paragraph of Using the map',
- },
- USE_DATA_HEADING: {
- id: 'about.page.use.data.heading',
- defaultMessage: 'Using the data',
- description: 'Navigate to the About page. This is the sub heading of Using the data',
- },
});
export const GET_INVOLVED = defineMessages({
@@ -272,12 +183,4 @@ export const HOW_YOU_CAN_HELP_LIST_ITEMS = {
link2es: linkFn(CONTACT_SURVEY_LINKS.ES, false, true),
}}
/>,
- PARA1: ,
-
};
diff --git a/client/src/data/copy/common.tsx b/client/src/data/copy/common.tsx
index c6d0fa3e..bef01b63 100644
--- a/client/src/data/copy/common.tsx
+++ b/client/src/data/copy/common.tsx
@@ -5,8 +5,6 @@ import React from 'react';
import {defineMessages} from 'react-intl';
import DownloadLink from '../../components/DownloadLink';
import LinkTypeWrapper from '../../components/LinkTypeWrapper';
-import {GITHUB_LINK} from '../../constants';
-import {PAGES_ENDPOINTS} from '../constants';
export interface IDefineMessage {
id: string,
@@ -205,11 +203,6 @@ export const FOOTER = defineMessages({
defaultMessage: 'Privacy Policy',
description: 'Navigate to the about page. This is Footer privacy policy link text',
},
- PRIVACY_LINK: {
- id: 'common.pages.footer.privacy.link',
- defaultMessage: PAGES_ENDPOINTS.PRIVACY,
- description: 'Navigate to the about page. This is Footer privacy policy link text',
- },
LOGO_ALT: {
id: 'common.pages.footer.whitehouselogoalt',
defaultMessage: 'Whitehouse logo',
@@ -231,15 +224,10 @@ export const FOOTER = defineMessages({
description: 'Navigate to the about page. This is third Footer column header',
},
GITHUB_LINK_TEXT: {
- id: 'common.pages.footer.github.link.text',
+ id: 'common.pages.footer.github.text',
defaultMessage: 'Check out the code on GitHub',
description: 'Navigate to the about page. This is Footer github link text',
},
- GITHUB_LINK: {
- id: 'common.pages.footer.gatsby.link',
- defaultMessage: GITHUB_LINK,
- description: 'Navigate to the about page. This is Footer find contact link text',
- },
CONTACT: {
id: 'common.pages.footer.contactheader',
defaultMessage: 'Contact',
@@ -252,14 +240,6 @@ export const FOOTER_CEQ_ADDRESS = {
STREET: '730 Jackson Pl NW',
CITY_STATE: 'Washington, D.C. 20506',
PHONE: '(202) 395-5750',
- // SIGN_UP: Sign-up for updates`}
- // description={`Alert title that appears at the top of pages.`}
- // values={{
- // link1: linkFn('https://lp.constantcontactpages.com/su/Vm8pCFj/spring', false, true),
- // }}
- // />,
}
;
@@ -271,5 +251,3 @@ export const CONSOLE_ERROR = defineMessages({
description: 'Navigate to the about page. This is console error staging URL',
},
});
-
-
diff --git a/client/src/data/copy/downloads.tsx b/client/src/data/copy/downloads.tsx
index a84253b9..0f29de6e 100644
--- a/client/src/data/copy/downloads.tsx
+++ b/client/src/data/copy/downloads.tsx
@@ -1,7 +1,7 @@
/* eslint-disable max-len */
+import {FormattedMessage, FormattedNumber} from 'gatsby-plugin-intl';
import React from 'react';
import {defineMessages} from 'react-intl';
-import {FormattedDate, FormattedMessage, FormattedNumber} from 'gatsby-plugin-intl';
import * as COMMON_COPY from './common';
import {VERSION_NUMBER, VERSIONS} from './methodology';
@@ -143,87 +143,7 @@ export const getDownloadIconAltTag = () => defineMessages({
},
});
-export const RELEASE_2_0 = {
- HEADER: ,
- }}
- />,
- NEW_IMPROVED_SECTION: ,
- SCORING_SUBSECTION: ,
- SCORING_CONTENT_1: ,
- SCORING_CONTENT_2: ,
- SCORING_CONTENT_3: ,
- SCORING_CONTENT_4: ,
- SCORING_CONTENT_5: ,
- SCORING_CONTENT_6: ,
- UI_SUBSECTION: ,
- UI_CONTENT_1: ,
- UI_CONTENT_2: ,
-};
+export {RELEASE_2_0} from './releaseNotes';
export const DOWNLOAD_LINKS = {
TITLE: ,
- LINK1: Communities list data (.xlsx {cldXlsFileSize})
- `}
- description={'Navigate to the download page. This is first download file link'}
- values={{
- link1: COMMON_COPY.downloadLink(DOWNLOAD_FILES.NARWAL.COMMUNITIES_LIST_XLS.URL),
- cldXlsFileSize: ,
- }}
- />,
- LINK2: Communities list data (.csv {cldCsvFileSize})`}
- description={'Navigate to the download page. This is second download file link'}
- values={{
- link2: COMMON_COPY.downloadLink(DOWNLOAD_FILES.NARWAL.COMMUNITIES_LIST_CSV.URL),
- cldCsvFileSize: ,
- }}
- />,
- LINK3: Shapefile (Codebook included with shapefile {shapeFileSize} unzipped)`}
- description={'Navigate to the download page. This is third download file link'}
- values={{
- link3: COMMON_COPY.downloadLink(DOWNLOAD_FILES.NARWAL.SHAPE_FILE.URL),
- shapeFileSize: ,
- }}
- />,
- LINK4: Technical support document (.pdf {tsdFileSize})`}
- description={'Navigate to the download page. This is fourth download file link'}
- values={{
- link4: COMMON_COPY.linkFn(DOWNLOAD_FILES.NARWAL.TSD.URL, false, true),
- link4es: COMMON_COPY.linkFn(DOWNLOAD_FILES.NARWAL.TSD_ES.URL, false, true),
- tsdFileSize: ,
- }}
- />,
- LINK5: How to use the list of communities (.pdf {howToCommFileSize})`}
- description={'Navigate to the download page. This is fifth download file link'}
- values={{
- link5: COMMON_COPY.linkFn(DOWNLOAD_FILES.NARWAL.HOW_TO_COMMUNITIES.URL, false, true),
- link5es: COMMON_COPY.linkFn(DOWNLOAD_FILES.NARWAL.HOW_TO_COMMUNITIES_ES.URL, false, true),
- howToCommFileSize: ,
- howToCommFileSizeEs: ,
- }}
- />,
- LINK6: Instructions to Federal agencies on using the CEJST (.pdf {instructions})`}
- description={'Navigate to the download page. This is sixth download file link'}
- values={{
- link6: COMMON_COPY.linkFn(DOWNLOAD_FILES.NARWAL.INSTRUCTIONS.URL, false, true),
- link6es: COMMON_COPY.linkFn(DOWNLOAD_FILES.NARWAL.INSTRUCTIONS_ES.URL, false, true),
- instructions: ,
- instructionsEs: ,
- }}
- />,
- // };
+ LINKS: [
+ Communities list data (.xlsx {cldXlsFileSize})
+ `}
+ description={'Navigate to the download page. This is first download file link'}
+ values={{
+ link1: COMMON_COPY.downloadLink(DOWNLOAD_FILES.NARWAL.COMMUNITIES_LIST_XLS.URL),
+ cldXlsFileSize: ,
+ }}
+ />,
+ Communities list data (.csv {cldCsvFileSize})`}
+ description={'Navigate to the download page. This is second download file link'}
+ values={{
+ link2: COMMON_COPY.downloadLink(DOWNLOAD_FILES.NARWAL.COMMUNITIES_LIST_CSV.URL),
+ cldCsvFileSize: ,
+ }}
+ />,
+ Shapefile (Codebook included with shapefile {shapeFileSize} unzipped)`}
+ description={'Navigate to the download page. This is third download file link'}
+ values={{
+ link3: COMMON_COPY.downloadLink(DOWNLOAD_FILES.NARWAL.SHAPE_FILE.URL),
+ shapeFileSize: ,
+ }}
+ />,
+ // Technical support document (.pdf {tsdFileSize})`}
+ // description={'Navigate to the download page. This is fourth download file link'}
+ // values={{
+ // link4: COMMON_COPY.linkFn(DOWNLOAD_FILES.NARWAL.TSD.URL, false, true),
+ // link4es: COMMON_COPY.linkFn(DOWNLOAD_FILES.NARWAL.TSD_ES.URL, false, true),
+ // tsdFileSize: ,
+ // }}
+ // />,
+ Instructions to Federal agencies on using the CEJST (.pdf {instructions})`}
+ description={'Navigate to the download page. This is sixth download file link'}
+ values={{
+ link5: COMMON_COPY.linkFn(DOWNLOAD_FILES.NARWAL.INSTRUCTIONS.URL, false, true),
+ link5es: COMMON_COPY.linkFn(DOWNLOAD_FILES.NARWAL.INSTRUCTIONS_ES.URL, false, true),
+ instructions: ,
+ instructionsEs: ,
+ }}
+ />,
+ ],
};
diff --git a/client/src/data/copy/explore.tsx b/client/src/data/copy/explore.tsx
index d6367fc9..e51f4905 100644
--- a/client/src/data/copy/explore.tsx
+++ b/client/src/data/copy/explore.tsx
@@ -1,13 +1,13 @@
/* eslint-disable max-len */
+import {FormattedDate, FormattedMessage, FormattedNumber} from 'gatsby-plugin-intl';
import React from 'react';
import {defineMessages} from 'react-intl';
-import {FormattedDate, FormattedMessage, FormattedNumber} from 'gatsby-plugin-intl';
-import {linkFn, boldFn, downloadLink} from './common';
+import {PAGES_ENDPOINTS} from '../constants';
+import {boldFn, downloadLink, linkFn} from './common';
import {DOWNLOAD_FILES} from './downloads';
import {VERSION_NUMBER} from './methodology';
-import {PAGES_ENDPOINTS} from '../constants';
export const EXPLORE_PAGE_LINKS = {
WH_GOV_TRIBAL_ACTION_PLAN_4_26_21: `https://www.whitehouse.gov/wp-content/uploads/2022/01/CEQ-Tribal-Consultation-Plan-04.26.2021.pdf`,
@@ -33,9 +33,9 @@ export const PAGE_INTRO = defineMessages({
export const PAGE_DESCRIPTION1 = ,
DEMO_AGE_OVER_65: ,
SHOW_DEMOGRAPHICS: ,
@@ -1472,7 +1472,7 @@ export const NOTE_ON_TERRITORIES = {
PARA_2: American Samoa, Guam, the Northern Mariana Islands, and the U.S. Virgin Islands: For these U.S. territories, the tool uses the following data: unemployment, poverty, low median income, and high school education. These burdens are in the workforce development category.
+ American Samoa, Guam, the Northern Mariana Islands, and the U.S. Virgin Islands: For these U.S. Territories, the tool uses the following data: expected agriculture loss rate, expected building loss rate, expected population loss rate, abandoned mine lands, low income, unemployment, poverty, low median income, and high school education. These burdens are in the climate change, legacy pollution, and workforce development categories.
`}
description={`Navigate to the explore the map page. Under the map, you will see territories paragraph 2`}
values={{
diff --git a/client/src/data/copy/faqs.tsx b/client/src/data/copy/faqs.tsx
index d009e347..70eaecdd 100644
--- a/client/src/data/copy/faqs.tsx
+++ b/client/src/data/copy/faqs.tsx
@@ -97,12 +97,6 @@ export const QUESTIONS = [
defaultMessage={ 'When was the CEJST released?'}
description={ 'Navigate to the FAQs page, this will be Q16'}
/>,
- ,
),
}}
/>,
- Q18: Sign up to receive updates on the Climate and Economic Justice Screening Tool (CEJST) and other environmental justice news from CEQ.`}
- description={ 'Navigate to the FAQs page, this will be an answer, Q18'}
- values={{
- link1: linkFn(`https://lp.constantcontactpages.com/su/Vm8pCFj/spring`, false, true),
- }}
- />,
Q19: downloads for the current version available. Spreadsheets (.xlxs) and (.csv) contain the tool’s definitions and data. These data can be used for analysis. Shapefiles and GeoJSON files can be uploaded into other mapping programs such as Esri. The downloads include information on how to use the files. Information from previous versions of the tool is available on the previous versions page.`}
diff --git a/client/src/data/copy/methodology.tsx b/client/src/data/copy/methodology.tsx
index 703a7d0c..2c135105 100644
--- a/client/src/data/copy/methodology.tsx
+++ b/client/src/data/copy/methodology.tsx
@@ -44,19 +44,12 @@ export const PAGE = defineMessages({
PARA1_BULLET3: {
id: 'methodology.page.paragraph.1.bullet.3',
defaultMessage: `
- If the census tract ID was identified as disadvantaged in version 1.0, then the census tract is considered disadvantaged in version 2.0.
+ For census tracts that were identified as disadvantaged in version 1.0 of the tool, but do not meet the methodology for the 2.0 version: If the census tract ID was identified as disadvantaged in version 1.0, then the census tract is considered disadvantaged.
`,
description: 'Navigate to the methodology page. This is the methodology paragraph 1, bullet 3',
},
PARA1_BULLET4: {
id: 'methodology.page.paragraph.1.bullet.4',
- defaultMessage: `
- If the tract is a new tract in 2020, then the percentage of land that it shared, if any, with a previously disadvantaged tract will be considered disadvantaged.
- `,
- description: 'Navigate to the methodology page. This is the methodology paragraph 1, bullet 4',
- },
- PARA1_BULLET5: {
- id: 'methodology.page.paragraph.1.bullet.5',
defaultMessage: `
Additionally, census tracts in certain U.S. Territories are considered disadvantaged if they meet the low income threshold only. This is because these Territories are not included in each of the nationally-consistent datasets on environmental and climate burdens currently used in the tool.
`,
@@ -130,8 +123,7 @@ export const FORMULA = {
PARA6: statistical areas are determined by the U.S. Census Bureau once every ten years. The tool utilizes the census tract boundaries from 2010. This was chosen because many of the data sources in the tool currently use the 2010
- census boundaries.
+ Census tracts are small units of geography. Census tract boundaries for statistical areas are determined by the U.S. Census Bureau once every ten years. The tool utilizes the census tract boundaries from 2010.
`}
description={'Navigate to the methodology page. This is the methodology paragraph 4'}
values={{
@@ -496,6 +488,11 @@ export const DATASET_CARD_LABELS = defineMessages({
defaultMessage: 'NEW',
description: 'Navigate to the Methodology page. This is the label associated with a NEW card',
},
+ UPDATED: {
+ id: 'methodology.page.datasetCard.updated',
+ defaultMessage: 'UPDATED',
+ description: 'Navigate to the Methodology page. This is the label associated with an UPDATED card',
+ },
});
export const DATE_RANGE = {
@@ -870,6 +867,7 @@ export interface IIndicators {
sources: {
source: JSX.Element,
isNew?: boolean,
+ isUpdated?: boolean,
availableFor: { // Todo remove this and replace with MessageDescriptor when ticket #2000 is fixed
id: string,
description: string,
@@ -935,6 +933,11 @@ export const INDICATORS: IIndicators[] = [
source: SOURCE_LINKS.CENSUS_ACS_15_19,
availableFor: AVAILABLE_FOR.ALL_US_DC_PR,
},
+ {
+ source: SOURCE_LINKS.DECENNIAL_CENSUS_20,
+ isNew: true,
+ availableFor: AVAILABLE_FOR.ALL_ISLDS,
+ },
],
},
@@ -1663,7 +1666,7 @@ export const INDICATORS: IIndicators[] = [
},
{
source: SOURCE_LINKS.DECENNIAL_CENSUS_20,
- isNew: true,
+ isUpdated: true,
availableFor: AVAILABLE_FOR.ALL_ISLDS,
},
],
@@ -1691,7 +1694,7 @@ export const INDICATORS: IIndicators[] = [
},
{
source: SOURCE_LINKS.DECENNIAL_CENSUS_20,
- isNew: true,
+ isUpdated: true,
availableFor: AVAILABLE_FOR.ALL_ISLDS,
},
],
@@ -1719,7 +1722,7 @@ export const INDICATORS: IIndicators[] = [
},
{
source: SOURCE_LINKS.DECENNIAL_CENSUS_20,
- isNew: true,
+ isUpdated: true,
availableFor: AVAILABLE_FOR.ALL_ISLDS,
},
],
@@ -1747,7 +1750,7 @@ export const INDICATORS: IIndicators[] = [
},
{
source: SOURCE_LINKS.DECENNIAL_CENSUS_20,
- isNew: true,
+ isUpdated: true,
availableFor: AVAILABLE_FOR.ALL_ISLDS,
},
],
diff --git a/client/src/data/copy/previousVer.tsx b/client/src/data/copy/previousVer.tsx
index 2189716e..9117d9a6 100644
--- a/client/src/data/copy/previousVer.tsx
+++ b/client/src/data/copy/previousVer.tsx
@@ -1,5 +1,5 @@
-import React from 'react';
import {FormattedDate, FormattedMessage, defineMessages} from 'gatsby-plugin-intl';
+import React from 'react';
import {METH_1_0_RELEASE_DATE, METH_2_0_RELEASE_DATE, METH_BETA_RELEASE_DATE} from './common';
export const PAGE = defineMessages({
@@ -12,12 +12,12 @@ export const PAGE = defineMessages({
export const CARD = {
TITLE: ,
BODY: ,
BODY: ,
+ }}
+ />,
+ NEW_IMPROVED_SECTION: ,
+ NEW_IMPROVED_CONTENT: [
+ ,
+ ,
+ ,
+ ,
+ ,
+ ,
+ ],
+ TECHNICAL_FIXES_SECTION: ,
+ TECHNICAL_FIXES_CONTENT: [
+ ,
+ ],
+ UI_SECTION: ,
+ UI_CONTENT: [
+ ,
+ ,
+ ],
+};
diff --git a/client/src/intl/diffEnEs.js b/client/src/intl/diffEnEs.js
index c3409402..6b6e52fa 100644
--- a/client/src/intl/diffEnEs.js
+++ b/client/src/intl/diffEnEs.js
@@ -1,13 +1,25 @@
const enJson = require('./en.json');
const esJson = require('./es.json');
-// const assert = require('assert');
+const enKeys = Object.keys(enJson);
const esKeys = Object.keys(esJson);
-const esKeysNotInEn = Object.keys(enJson).filter((key) => !esKeys.includes(key));
-if (esKeysNotInEn.length > 0) {
- console.log('\nKeys that are missing in es.json: ');
+const enKeysNotInEs = enKeys.filter((key) => !esKeys.includes(key));
+const esKeysNotInEn = esKeys.filter((key) => !enKeys.includes(key));
+
+// Check for missing/outdated keys
+if (enKeysNotInEs.length > 0 || esKeysNotInEn.length > 0) {
+ console.log('\nKeys to be added to es.json: ');
+ console.log(enKeysNotInEs);
+ console.log('\nKeys to be removed from es.json: ');
console.log(esKeysNotInEn);
} else {
console.log('All keys from en.json appear to exist in es.json');
}
+
+// Check for identical translations
+const identicalValues = enKeys.filter((key) => enJson[key].defaultMessage === esJson[key]);
+if (identicalValues.length > 0) {
+ console.log('\nKeys where es.json is the same as en.json: ');
+ console.log(identicalValues);
+}
diff --git a/client/src/intl/en.json b/client/src/intl/en.json
index 2638c73e..e801db33 100644
--- a/client/src/intl/en.json
+++ b/client/src/intl/en.json
@@ -8,7 +8,7 @@
"description": "Navigate to the About page. This is the paragraph 4"
},
"about.page.how.to.use.tool.para1": {
- "defaultMessage": "The tool shows information about the burdens that communities experience. It uses datasets to identify indicators of burdens. The tool shows these burdens in census tracts. Census tracts are small units of geography. Census tract boundaries for statistical areas are determined by the U.S. Census Bureau once every ten years. The tool utilizes the census tract boundaries from 2020. This was chosen because many of the data sources in the tool currently use the 2010 census boundaries. The tool also shows land within the boundaries of Federally Recognized Tribes and point locations for Alaska Native Villages and landless Tribes in the lower 48 states.",
+ "defaultMessage": "The tool shows information about the burdens that communities experience. It uses datasets to identify indicators of burdens. The tool shows these burdens in census tracts. Census tracts are small units of geography. Census tract boundaries for statistical areas are determined by the U.S. Census Bureau once every ten years. The tool utilizes the census tract boundaries from 2010. The tool also shows land within the boundaries of Federally Recognized Tribes and point locations for Alaska Native Villages and landless Tribes in the lower 48 states.",
"description": "Navigate to the About page. This is the paragraph 4"
},
"about.page.how.to.use.tool.para2": {
@@ -39,10 +39,6 @@
"defaultMessage": "Any other questions? Email: Screeningtool-Support@omb.eop.gov.",
"description": "Navigate to the about page. You will see How you can help list item 3"
},
- "about.page.how.you.can.help.para.1": {
- "defaultMessage": "The Council on Environmental Quality plans to issue a Request for Information in 2023. This will give the public time to use the tool before providing comments.",
- "description": "Navigate to the about page. You will see How you can help list item 3"
- },
"about.page.join.open.source.info": {
"defaultMessage": "The tool’s code is open source, which means it is available for the public to view and contribute to it.",
"description": "info on Navigate to the About page. This is the joining open source community"
@@ -55,31 +51,15 @@
"defaultMessage": "Join the open source community",
"description": "Navigate to the About page. This is the join the community heading"
},
- "about.page.list.item.1": {
- "defaultMessage": "Memorandum on Using the CEJST for the Justice40 Initiative",
- "description": "Navigate to the About page. This is the list item 1"
- },
- "about.page.list.item.2": {
- "defaultMessage": "Instructions to Federal agencies on using the CEJST",
- "description": "Navigate to the About page. This is the list item 2"
- },
"about.page.paragraph.1": {
- "defaultMessage": "In January of 2021, President Biden issued Executive Order 14008. The order directed the Council on Environmental Quality (CEQ) to develop a new tool. This tool is called the Climate and Economic Justice Screening Tool. The tool has an interactive map and uses datasets that are indicators of burdens in eight categories: climate change, energy, health, housing, legacy pollution, transportation, water and wastewater, and workforce development. The tool uses this information to identify communities that are experiencing these burdens. These are the communities that are disadvantaged because they are marginalized by underinvestment and overburdened by pollution.",
+ "defaultMessage": "This tool is called the Climate and Economic Justice Screening Tool. The tool has an interactive map and uses datasets that are indicators of burdens in eight categories: climate change, energy, health, housing, legacy pollution, transportation, water and wastewater, and workforce development. The tool uses this information to identify communities that are experiencing these burdens. These are the communities that are disadvantaged because they are marginalized by underinvestment and overburdened by pollution.",
"description": "Navigate to the About page. This is the paragraph 1"
},
"about.page.paragraph.2": {
- "defaultMessage": "Federal agencies will use the tool to help identify disadvantaged communities that will benefit from programs included in the Justice40 Initiative. The Justice40 Initiative seeks to deliver 40% of the overall benefits of investments in climate, clean energy, and related areas to disadvantaged communities.",
- "description": "Navigate to the About page. This is the paragraph 2"
- },
- "about.page.paragraph.3": {
- "defaultMessage": "Federal agencies should also use the following:",
- "description": "Navigate to the About page. This is the paragraph 3"
- },
- "about.page.paragraph.4": {
- "defaultMessage": "CEQ will continue to update the tool, after reviewing public feedback, research, and the availability of new data. The current version of the tool is version {version}.",
+ "defaultMessage": "CEQ will update the tool, after reviewing public feedback, research, and the availability of new data. The current version of the tool is version {version}.",
"description": "Navigate to the About page. This is the paragraph 4"
},
- "about.page.paragraph.5": {
+ "about.page.paragraph.3": {
"defaultMessage": "A Spanish version of the site will be available in the near future.",
"description": "Navigate to the About page. This is the paragraph 5"
},
@@ -99,30 +79,6 @@
"defaultMessage": "About",
"description": "Navigate to the About page. This is the about page title text"
},
- "about.page.use.data.heading": {
- "defaultMessage": "Using the data",
- "description": "Navigate to the About page. This is the sub heading of Using the data"
- },
- "about.page.use.data.paragraph": {
- "defaultMessage": "The tool’s data is available for download. This data can be used to filter by state or county.",
- "description": "Navigate to the About page. This is the paragraph 4"
- },
- "about.page.use.data.tutorial": {
- "defaultMessage": "Download the spreadsheet tutorial (.pdf 5.4 MB)",
- "description": "Navigate to the About page. This the link to download the how to use map tutorial"
- },
- "about.page.use.map.heading": {
- "defaultMessage": "Using the map",
- "description": "Navigate to the About page. This is the sub heading of Using the map"
- },
- "about.page.use.map.para": {
- "defaultMessage": "Zoom in and select any census tract to see if it is considered disadvantaged.",
- "description": "Navigate to the About page. This is the paragraph of Using the map"
- },
- "about.page.use.map.tutorial": {
- "defaultMessage": "Download the CEJST tutorial (.pdf 9.6 MB)",
- "description": "Navigate to the About page. This the link to download the how to use map tutorial"
- },
"common.pages.alerts.additional_docs_available.description": {
"defaultMessage": "Download new technical support and other documentation and send feedback.",
"description": "Alert title that appears at the top of pages."
@@ -179,10 +135,7 @@
"defaultMessage": "Freedom of Information Act (FOIA)",
"description": "Navigate to the about page. This is Footer FOIA link text"
},
- "common.pages.footer.gatsby.link": {
- "description": "Navigate to the about page. This is Footer find contact link text"
- },
- "common.pages.footer.github.link.text": {
+ "common.pages.footer.github.text": {
"defaultMessage": "Check out the code on GitHub",
"description": "Navigate to the about page. This is Footer github link text"
},
@@ -194,9 +147,6 @@
"defaultMessage": "More information",
"description": "Navigate to the about page. This is Footer column header"
},
- "common.pages.footer.privacy.link": {
- "description": "Navigate to the about page. This is Footer privacy policy link text"
- },
"common.pages.footer.privacy.text": {
"defaultMessage": "Privacy Policy",
"description": "Navigate to the about page. This is Footer privacy policy link text"
@@ -293,16 +243,8 @@
"defaultMessage": "Shapefile (Codebook included with shapefile {shapeFileSize} unzipped)",
"description": "Navigate to the download page. This is third download file link"
},
- "download.page.download.file.4": {
- "defaultMessage": "Technical support document (.pdf {tsdFileSize})",
- "description": "Navigate to the download page. This is fourth download file link"
- },
"download.page.download.file.5": {
- "defaultMessage": "How to use the list of communities (.pdf {howToCommFileSize})",
- "description": "Navigate to the download page. This is fifth download file link"
- },
- "download.page.download.file.6": {
- "defaultMessage": "Instructions to Federal agencies on using the CEJST (.pdf {instructions})",
+ "defaultMessage": "Instructions to Federal agencies on using the CEJST (.pdf {instructions})",
"description": "Navigate to the download page. This is sixth download file link"
},
"download.page.files.section.title": {
@@ -313,48 +255,52 @@
"defaultMessage": "Version {release} Release update - {date}",
"description": "Navigate to the download page. This is first download file link"
},
+ "download.page.release.2_0.update.NEW_IMPROVED_CONTENT_1": {
+ "defaultMessage": "Added the low income burden to American Samoa, Guam, the Mariana Islands, and the U.S. Virgin Islands",
+ "description": "Navigate to the download page. This is release content"
+ },
+ "download.page.release.2_0.update.NEW_IMPROVED_CONTENT_2": {
+ "defaultMessage": "Tracts in these territories that are completely surrounded by disadvantaged tracts and exceed an adjusted low income threshold are now considered disadvantaged",
+ "description": "Navigate to the download page. This is release content"
+ },
+ "download.page.release.2_0.update.NEW_IMPROVED_CONTENT_3": {
+ "defaultMessage": "Additionally, census tracts in these four Territories are now considered disadvantaged if they meet the low income threshold only, because these Territories are not included in the nationally-consistent datasets on environmental and climate burdens used in the tool",
+ "description": "Navigate to the download page. This is release content"
+ },
+ "download.page.release.2_0.update.NEW_IMPROVED_CONTENT_4": {
+ "defaultMessage": "Updated the data in the workforce development category to the Census Decennial 2020 data for the U.S. territories of Guam, Virgin Islands, Northern Mariana Islands, and American Samoa",
+ "description": "Navigate to the download page. This is release content"
+ },
+ "download.page.release.2_0.update.NEW_IMPROVED_CONTENT_5": {
+ "defaultMessage": "Made improvements to the low income burden to better identify college students before they are excluded from that burden’s percentile",
+ "description": "Navigate to the download page. This is release content"
+ },
+ "download.page.release.2_0.update.NEW_IMPROVED_CONTENT_6": {
+ "defaultMessage": "Census tracts that were disadvantaged under version 1.0 continue to be considered as disadvantaged in version 2.0",
+ "description": "Navigate to the download page. This is release content"
+ },
"download.page.release.2_0.update.NEW_IMPROVED_SECTION": {
- "defaultMessage": "New & improved",
+ "defaultMessage": "New & Improved",
"description": "Navigate to the download page. This is new and improved section"
},
- "download.page.release.2_0.update.SCORING_CONTENT_1": {
- "defaultMessage": "Updated to use Census Decennial 2020 data for the U.S. territories of Guam, Virgin Islands, Northern Mariana Islands, and American Samoa",
+ "download.page.release.2_0.update.TECHNICAL_FIXES_CONTENT_1": {
+ "defaultMessage": "For tracts that have water boundaries, e.g. coastal or island tracts, the water boundaries are now excluded from the calculation to determine if a tract is 100% surrounded by disadvantaged census tracts",
"description": "Navigate to the download page. This is release content"
},
- "download.page.release.2_0.update.SCORING_CONTENT_2": {
- "defaultMessage": "U.S. territories of Guam, Virgin Islands, Northern Mariana Islands, and American Samoa qualify as disadvantaged communities based on a low-income threshold at or above the 65th percentile, in addition to any existing qualification pathways",
- "description": "Navigate to the download page. This is release content"
- },
- "download.page.release.2_0.update.SCORING_CONTENT_3": {
- "defaultMessage": "Apply a donut hole disadvantaged community qualification to U.S. territories of Guam, Virgin Islands, Northern Mariana Islands, American Samoa, and Puerto Rico based on adjacency to already qualifying disadvantaged community tracts and meeting a 50th percentile low-income threshold",
- "description": "Navigate to the download page. This is release content"
- },
- "download.page.release.2_0.update.SCORING_CONTENT_4": {
- "defaultMessage": "Improved donut hole disadvantaged community qualification by adding tracts that are fully surrounded and have water boundaries",
- "description": "Navigate to the download page. This is release content"
- },
- "download.page.release.2_0.update.SCORING_CONTENT_5": {
- "defaultMessage": "The poverty percentage calculation excludes college students, ensuring it reflects the economic conditions of the non-college population",
- "description": "Navigate to the download page. This is release content"
- },
- "download.page.release.2_0.update.SCORING_CONTENT_6": {
- "defaultMessage": "Grandfathering of Census tracts that were designated as disadvantaged communities in version 1.0 of this tool",
- "description": "Navigate to the download page. This is release content"
- },
- "download.page.release.2_0.update.SCORING_SUBSECTION": {
- "defaultMessage": "Scoring improvements",
- "description": "Navigate to the download page. This is scorig improvement section"
+ "download.page.release.2_0.update.TECHNICAL_FIXES_SECTION": {
+ "defaultMessage": "Technical Fixes",
+ "description": "Navigate to the download page. This is technical fixes section"
},
"download.page.release.2_0.update.UI_CONTENT_1": {
- "defaultMessage": "Users can now search on the map by Census tract ID",
+ "defaultMessage": "Added the ability to search by census tract ID",
"description": "Navigate to the download page. This is release content"
},
"download.page.release.2_0.update.UI_CONTENT_2": {
- "defaultMessage": "Show island and territory low-income percentiles in the sidebar",
+ "defaultMessage": "The basemap has been updated to use a free, open source map",
"description": "Navigate to the download page. This is release content"
},
- "download.page.release.2_0.update.UI_SUBSECTION": {
- "defaultMessage": "User interface improvements",
+ "download.page.release.2_0.update.UI_SECTION": {
+ "defaultMessage": "User Interface Improvements",
"description": "Navigate to the download page. This is the UI improvements section"
},
"downloads.page.change.log.text": {
@@ -534,8 +480,8 @@
"description": "Navigate to the explore the map page. When the map is in view, click on the map. The side panel will show the communities the score currently is focused on"
},
"explore.map.page.side.panel.demo.age.over.65": {
- "defaultMessage": "Elderly over 65",
- "description": "Navigate to the explore the map page. When the map is in view, click on the map. The side panel will show the demographics: Elderly over 65"
+ "defaultMessage": "Adults over 65",
+ "description": "Navigate to the explore the map page. When the map is in view, click on the map. The side panel will show the demographics: Adults over 65"
},
"explore.map.page.side.panel.demo.age.title": {
"defaultMessage": "Age",
@@ -1234,7 +1180,7 @@
"description": "Navigate to the explore the map page. Under the map, you will see territories intro text"
},
"explore.map.page.under.map.note.on.territories.para.0": {
- "defaultMessage": "Not all the data used in the tool are available or used for all U.S. territories.",
+ "defaultMessage": "Not all the data used in the tool are available or used for all U.S. Territories.",
"description": "Navigate to the explore the map page. Under the map, you will see territories paragraph 0"
},
"explore.map.page.under.map.note.on.territories.para.1": {
@@ -1242,7 +1188,7 @@
"description": "Navigate to the explore the map page. Under the map, you will see territories paragraph 1"
},
"explore.map.page.under.map.note.on.territories.para.2": {
- "defaultMessage": "American Samoa, Guam, the Northern Mariana Islands, and the U.S. Virgin Islands: For these U.S. territories, the tool uses the following data: unemployment, poverty, low median income, and high school education. These burdens are in the workforce development category.",
+ "defaultMessage": "American Samoa, Guam, the Northern Mariana Islands, and the U.S. Virgin Islands: For these U.S. Territories, the tool uses the following data: expected agriculture loss rate, expected building loss rate, expected population loss rate, abandoned mine lands, low income, unemployment, poverty, low median income, and high school education. These burdens are in the climate change, legacy pollution, and workforce development categories.",
"description": "Navigate to the explore the map page. Under the map, you will see territories paragraph 2"
},
"explore.map.page.under.map.note.on.tribal.nations.intro": {
@@ -1281,10 +1227,6 @@
"defaultMessage": "When was the CEJST released?",
"description": "Navigate to the FAQs page, this will be Q16"
},
- "faqs.page.Q18": {
- "defaultMessage": "How does the Council on Environmental Quality (CEQ) keep people informed about the tool?",
- "description": "Navigate to the FAQs page, this will be Q18"
- },
"faqs.page.Q19": {
"defaultMessage": "What files and documentation are available from the tool?",
"description": "Navigate to the FAQs page, this will be Q19"
@@ -1377,10 +1319,6 @@
"defaultMessage": "The 1.0 version was released in {version1Release}. The current version, version {currentVersion}, was released in {currentVersionRelease}.",
"description": "Navigate to the FAQs page, this will be an answer, Q16_P2"
},
- "faqs.page.answers.Q18": {
- "defaultMessage": "Sign up to receive updates on the Climate and Economic Justice Screening Tool (CEJST) and other environmental justice news from CEQ.",
- "description": "Navigate to the FAQs page, this will be an answer, Q18"
- },
"faqs.page.answers.Q19": {
"defaultMessage": "The Climate and Economic Justice Screening Tool (CEJST) has downloads for the current version available. Spreadsheets (.xlxs) and (.csv) contain the tool’s definitions and data. These data can be used for analysis. Shapefiles and GeoJSON files can be uploaded into other mapping programs such as Esri. The downloads include information on how to use the files. Information from previous versions of the tool is available on the previous versions page.",
"description": "Navigate to the FAQs page, this will be an answer, Q19"
@@ -2053,6 +1991,10 @@
"defaultMessage": "Source:",
"description": "Navigate to the Methodology page. This is the label associated with source of the card"
},
+ "methodology.page.datasetCard.updated": {
+ "defaultMessage": "UPDATED",
+ "description": "Navigate to the Methodology page. This is the label associated with an UPDATED card"
+ },
"methodology.page.datasetCard.used.in": {
"defaultMessage": "Used in:",
"description": "Navigate to the Methodology page. This is the label associated with explaining the card"
@@ -2194,14 +2136,10 @@
"description": "Navigate to the methodology page. This is the methodology paragraph 1, bullet 2"
},
"methodology.page.paragraph.1.bullet.3": {
- "defaultMessage": "If the census tract ID was identified as disadvantaged in version 1.0, then the census tract is considered disadvantaged in version 2.0.",
+ "defaultMessage": "For census tracts that were identified as disadvantaged in version 1.0 of the tool, but do not meet the methodology for the 2.0 version: If the census tract ID was identified as disadvantaged in version 1.0, then the census tract is considered disadvantaged.",
"description": "Navigate to the methodology page. This is the methodology paragraph 1, bullet 3"
},
"methodology.page.paragraph.1.bullet.4": {
- "defaultMessage": "If the tract is a new tract in 2020, then the percentage of land that it shared, if any, with a previously disadvantaged tract will be considered disadvantaged.",
- "description": "Navigate to the methodology page. This is the methodology paragraph 1, bullet 4"
- },
- "methodology.page.paragraph.1.bullet.5": {
"defaultMessage": "Additionally, census tracts in certain U.S. Territories are considered disadvantaged if they meet the low income threshold only. This is because these Territories are not included in each of the nationally-consistent datasets on environmental and climate burdens currently used in the tool.",
"description": "Navigate to the methodology page. This is the methodology paragraph 1, bullet 5"
},
@@ -2222,7 +2160,7 @@
"description": "Navigate to the methodology page. This is the methodology paragraph 5"
},
"methodology.page.paragraph.6": {
- "defaultMessage": "Census tracts are small units of geography. Census tract boundaries for statistical areas are determined by the U.S. Census Bureau once every ten years. The tool utilizes the census tract boundaries from 2010. This was chosen because many of the data sources in the tool currently use the 2010 census boundaries.",
+ "defaultMessage": "Census tracts are small units of geography. Census tract boundaries for statistical areas are determined by the U.S. Census Bureau once every ten years. The tool utilizes the census tract boundaries from 2010.",
"description": "Navigate to the methodology page. This is the methodology paragraph 4"
},
"methodology.page.return.to.top.link": {
@@ -2257,10 +2195,22 @@
"defaultMessage": "Page not found",
"description": "page not found title text"
},
- "previous.versions.page.body.text": {
- "defaultMessage": "The 1.0 versions of the methodology and data were available on the tool’s website from {startDate} – {endDate}.",
+ "previous.versions.page.1_0.body.text": {
+ "defaultMessage": "The 1.0 version of the methodology and data were available on the tool’s website from {startDate} – {endDate}.",
"description": "Navigate to the previous version page. This is the Version 1.0 Card body text"
},
+ "previous.versions.page.1_0.card.text": {
+ "defaultMessage": "Version 1.0",
+ "description": "Navigate to the previous version page. This is the Version 1.0 Card title text"
+ },
+ "previous.versions.page.beta.body.text": {
+ "defaultMessage": "The beta version of the methodology and data was used during the public beta period to get feedback on the tool from {startDate} – {endDate}.",
+ "description": "Navigate to the previous version page. This is the Cards body text"
+ },
+ "previous.versions.page.beta.card.text": {
+ "defaultMessage": "Beta version",
+ "description": "Navigate to the previous version page. This is the Cards title text"
+ },
"previous.versions.page.button1.alt.tag.text": {
"defaultMessage": "a button that allows to download the data and documentation to the tool",
"description": "Navigate to the previous version page. This is the Cards button1.alt.tag text"
@@ -2277,10 +2227,6 @@
"defaultMessage": "Shapefile & codebook",
"description": "Navigate to the previous version page. This is the Cards button2 text"
},
- "previous.versions.page.card.text": {
- "defaultMessage": "Version 1.0",
- "description": "Navigate to the previous version page. This is the Version 1.0 Card title text"
- },
"previous.versions.page.title.text": {
"defaultMessage": "Previous versions",
"description": "Navigate to the previous version page. This is the page title text"
@@ -2341,6 +2287,14 @@
"defaultMessage": "The Council on Environmental Quality (CEQ, we, or us) is committed to protecting the privacy and security of the information we collect from users (you) of the Climate and Economic Justice Screening Tool (CEJST), including the interactive map and the other features of the CEJST website. This Privacy Policy explains our practices for collecting, using, and disclosing information that we obtain from your use of the CEJST.",
"description": "Privacy policy overall intro"
},
+ "privacy.page.heading": {
+ "defaultMessage": "CEJST Privacy Policy",
+ "description": "Main heading for privacy page"
+ },
+ "privacy.page.title": {
+ "defaultMessage": "Privacy Policy",
+ "description": "Privacy page title meta info"
+ },
"privacy.personal.info.body1": {
"defaultMessage": "You can voluntarily provide us certain information, such as your email address, if you choose give us feedback about the CEJST. You do not have to provide personal information to visit the CEJST. If you choose to provide personal information by sending a message to an email address on this website, submitting a form through this website, or filling out a questionnaire, we will use the information you provide to respond to you or provide the service you requested.",
"description": "Privacy policy voluntary information text"
diff --git a/client/src/intl/es.json b/client/src/intl/es.json
index 43d968c1..8afe118c 100644
--- a/client/src/intl/es.json
+++ b/client/src/intl/es.json
@@ -1,7 +1,7 @@
{
"about.page.getInvolved.title": "Participe",
"about.page.how.to.use.para3": "Se considera que una comunidad está desfavorecida si se encuentra dentro de un distrito censal que cumple con la metodología de la herramienta o está en tierras dentro de los límites de las tribus reconocidas a nivel federal.",
- "about.page.how.to.use.tool.para1": "La herramienta muestra información sobre las cargas que sufren las comunidades. Utiliza conjuntos de datos para identificar indicadores de cargas. La herramienta muestra estas cargas en distritos censales. Estos distritos censales son pequeñas unidades geográficas. Los límites de los distritos censales para áreas con fines estadísticos se determinan por medio de la Oficina del Censo de los Estados Unidos cada diez años. La herramienta utiliza los límites de los distritos censales de 2020. Se eligió esta opción porque muchas de las fuentes de datos de la herramienta actualmente usan los límites de dicho censo. La herramienta también muestra las tierras dentro de los límites de las tribus reconocidas a nivel federal y las ubicaciones puntuales de los pueblos nativos de Alaska y tribus sin tierras en los 48 estados contiguos.",
+ "about.page.how.to.use.tool.para1": "La herramienta muestra información sobre las cargas que sufren las comunidades. Utiliza conjuntos de datos para identificar indicadores de cargas. La herramienta muestra estas cargas en distritos censales. Estos distritos censales son pequeñas unidades geográficas. Los límites de los distritos censales para áreas con fines estadísticos se determinan por medio de la Oficina del Censo de los Estados Unidos cada diez años. La herramienta utiliza los límites de los distritos censales de 2010. La herramienta también muestra las tierras dentro de los límites de las tribus reconocidas a nivel federal y las ubicaciones puntuales de los pueblos nativos de Alaska y tribus sin tierras en los 48 estados contiguos.",
"about.page.how.to.use.tool.para2": "La herramienta clasifica la mayoría de las cargas mediante el uso de percentiles. Los percentiles muestran la carga que experimenta cada distrito censal en comparación con otros distritos. Ciertas cargas utilizan porcentajes o un simple sí o no.",
"about.page.how.to.use.tool.title": "Cómo usar la herramienta:",
"about.page.how.you.can.help.heading": "Cómo contribuir para mejorar el mapa.",
@@ -9,29 +9,17 @@
"about.page.how.you.can.help.list.item.2": "Sugiera nuevas fuentes de datos.",
"about.page.how.you.can.help.list.item.3": "¿Tiene comentarios acerca de un distrito censal específico? Puede hacer clic aquí o hacer clic en el botón \"Enviar comentarios\" situado en el panel lateral de un distrito censal en el mapa.",
"about.page.how.you.can.help.list.item.4": "¿Más preguntas? La mejor forma de ponerse en contacto con el Consejo sobre la Calidad del Medio Ambiente (CEQ, por sus siglas en inglés) es al completar este formulario. De lo contrario, envíe un correo electrónico a: Screeningtool-Support@omb.eop.gov",
- "about.page.how.you.can.help.para.1": "El Consejo sobre la Calidad del Medio Ambiente tiene previsto publicar una Solicitud de información en 2023. Esto dará tiempo al público para utilizar la herramienta antes de enviar sus comentarios.",
"about.page.join.open.source.info": "El código de la herramienta es código abierto, lo cual significa que está disponible para que el público lo vea y contribuya.",
"about.page.join.open.source.link": "Véala en GitHub",
"about.page.join.opensource.heading": "Súmese a la comunidad de código abierto.",
- "about.page.list.item.1": "Memorándum sobre el uso del CEJST para la iniciativa Justice40.",
- "about.page.list.item.2": "Instrucciones para los organismos federales sobre el uso de la CEJST.",
- "about.page.paragraph.1": "En enero de 2021, el presidente Biden emitió la Orden ejecutiva 14008. Dicha orden disponía que el Consejo sobre la Calidad del Medio Ambiente (CEQ) elaborase una nueva herramienta. Esta herramienta se denomina Herramienta de evaluación de la justicia climática y económica. La herramienta tiene un mapa interactivo y utiliza conjuntos de datos que son indicadores de cargas en ocho categorías: cambio climático, energía, salud, vivienda, contaminación heredada, transporte, agua y aguas residuales, y formación de la fuerza laboral. La herramienta utiliza esta información para identificar a las comunidades que experimentan estas cargas. Éstas son las comunidades desfavorecidas porque están marginadas por la falta de inversión y sobrecargadas por la contaminación.",
- "about.page.paragraph.2": "Los organismos federales utilizarán la herramienta para ayudar a identificar a las comunidades desfavorecidas que se beneficiarán de los programas incluidos en la Iniciativa Justice40. La Iniciativa Justice40 pretende hacer llegar el 40% de los beneficios globales de las inversiones en clima, energía no contaminante y áreas relacionadas a las comunidades desfavorecidas.",
- "about.page.paragraph.3": "Los organismos federales también deberán usar lo siguiente:",
- "about.page.paragraph.4": "El CEQ continuará actualizando la herramienta, después de revisar los comentarios del público, las investigaciones y la disponibilidad de nuevos datos. La versión actual de la herramienta es la versión {version}.",
- "about.page.paragraph.5": "Próximamente estará disponible una versión en español del sitio.",
+ "about.page.paragraph.1": "Esta herramienta se denomina Herramienta de evaluación de la justicia climática y económica. La herramienta tiene un mapa interactivo y utiliza conjuntos de datos que son indicadores de cargas en ocho categorías: cambio climático, energía, salud, vivienda, contaminación heredada, transporte, agua y aguas residuales, y formación de la fuerza laboral. La herramienta utiliza esta información para identificar a las comunidades que experimentan estas cargas. Éstas son las comunidades desfavorecidas porque están marginadas por la falta de inversión y sobrecargadas por la contaminación.",
+ "about.page.paragraph.2": "CEQ actualizará la herramienta, después de revisar los comentarios del público, las investigaciones y la disponibilidad de nuevos datos. La versión actual de la herramienta es la versión {version}.",
+ "about.page.paragraph.3": "Próximamente estará disponible una versión en español del sitio.",
"about.page.send.feedback.email.link": "Contacto",
"about.page.send.feedback.heading": "Enviar comentarios",
"about.page.send.feedback.info": "¿Tiene ideas para la herramienta? Póngase en contacto con el Consejo sobre la Calidad Medioambiental (CEQ).",
"about.page.title.text": "Información básica",
- "about.page.use.data.heading": "Cómo utilizar los datos ",
- "about.page.use.data.paragraph": "Los datos de la herramienta están disponibles para descargar. Estos datos se pueden usar para filtrar por estado o condado.",
- "about.page.use.data.tutorial": "Descarga el tutorial de la hoja de cálculo (.pdf 5,4 MB)",
- "about.page.use.map.heading": "Utilización del mapa",
- "about.page.use.map.para": "Amplíe y seleccione cualquier distrito censal para ver si se considera como desfavorecido.",
- "about.page.use.map.tutorial": "Descarga el tutorial CEJST (.pdf 9.6 MB)",
"common.pages.alerts.additional_docs_available.description": "Descargue un nuevo documento de apoyo técnico y otra documentación, y envíe sus comentarios.",
- "common.pages.alerts.banner.beta.content": "Herramienta actualizada. La versión 1.0 de la herramienta fue publicada el {relDate}.",
"common.pages.alerts.census.tract.title": "Ya hay más documentación disponible",
"common.pages.alerts.public_comment_period.description": "El Consejo sobre la Calidad del Medio Ambiente (CEQ) puso a disposición la versión 1.0 de la herramienta el {ver1RelDate}. Para más información sobre las mejoras de la herramienta, lea el comunicado de prensa del CEQ.",
"common.pages.alerts.version.1.release..title": "Ya está disponible la versión 1.0 de la herramienta.",
@@ -42,11 +30,9 @@
"common.pages.footer.findcontact": "Buscar un contacto en USA.gov.",
"common.pages.footer.findcontact.link": "https://www.usa.gov/",
"common.pages.footer.foia.text": "Ley de Libertad de Información (FOIA)",
- "common.pages.footer.gatsby.link": "https://github.com/usds/justice40-tool",
- "common.pages.footer.github.link.text": "Vea el código en GitHub",
+ "common.pages.footer.github.text": "Vea el código en GitHub",
"common.pages.footer.logo.title": "Consejo sobre la Calidad del Medio Ambiente",
"common.pages.footer.moreinfoheader": "Más información",
- "common.pages.footer.privacy.link": "https://www.whitehouse.gov/privacy/",
"common.pages.footer.privacy.text": "Política de privacidad",
"common.pages.footer.whitehouselogoalt": "Whitehouse logo",
"common.pages.header.about": "Información básica",
@@ -61,7 +47,6 @@
"common.pages.header.tsd": "Documento de apoyo técnico",
"common.pages.tsd.url": "https://static-data-screeningtool.geoplatform.gov/data-pipeline/data/score/downloadable/cejst_technical_support_document.pdf",
"contact.page.census.tract.feedback.para3": "La mejor forma de ponerse en contacto con el Consejo sobre la Calidad del Medio Ambiente (CEQ, por sus siglas en ingles) es al completar este formulario.",
- "contact.page.fab.survey.link": "https://www.surveymonkey.com/r/P3LWTSB",
"contact.page.fab.survey.text": "Ayude a mejorar la herramienta",
"contact.page.general": "Envíe un correo electrónico al CEQ a: {general_email_address}.",
"contact.page.header.text": "Contacto",
@@ -73,21 +58,21 @@
"download.page.download.file.2": "datos de la lista Comunidades (.csv {cldCsvFileSize})",
"download.page.download.file.3": "Archivo de forma (libro de códigos incluido con el archivo de forma {shapeFileSize} descomprimido)",
"download.page.download.file.4": "documento de apoyo técnico (.pdf {tsdFileSize})",
- "download.page.download.file.5": "Cómo utilizar la lista Comunidades (.pdf {howToCommFileSizeEs})",
- "download.page.download.file.6": "Instrucciones a las agencias federales sobre el uso del CEJST (.pdf {instructionsEs})",
+ "download.page.download.file.5": "Instrucciones a las agencias federales sobre el uso del CEJST (.pdf {instructionsEs})",
"download.page.files.section.title": "Formatos de archivo de la versión {version}",
"download.page.release.2_0.update.HEADER": "Actualización de la publicación {release} de la versión - {date}",
- "download.page.release.2_0.update.NEW_IMPROVED_SECTION": "Nuevo y mejorado",
- "download.page.release.2_0.update.SCORING_SUBSECTION": "Mejoras en la puntuación",
- "download.page.release.2_0.update.SCORING_CONTENT_1": "Actualizado para utilizar datos del censo decenal de 2020 para los territorios estadounidenses de Guam, las Islas Vírgenes, las Islas Marianas del Norte y Samoa Americana",
- "download.page.release.2_0.update.SCORING_CONTENT_2": "Los territorios estadounidenses de Guam, las Islas Vírgenes, las Islas Marianas del Norte y Samoa Americana califican como comunidades desfavorecidas según un umbral de bajos ingresos igual o superior al percentil 65, además de cualquier vía de calificación existente",
- "download.page.release.2_0.update.SCORING_CONTENT_3": "Aplicar una calificación de comunidad desfavorecida a los territorios estadounidenses de Guam, las Islas Vírgenes, las Islas Marianas del Norte, Samoa Americana y Puerto Rico en función de la adyacencia a zonas comunitarias desfavorecidas que ya califican y que cumplan con un umbral de bajos ingresos del percentil 50",
- "download.page.release.2_0.update.SCORING_CONTENT_4": "Se mejoró la calificación de la comunidad en desventaja al agregar áreas que están completamente rodeadas y tienen límites de agua",
- "download.page.release.2_0.update.SCORING_CONTENT_5": "El cálculo del porcentaje de pobreza excluye a los estudiantes universitarios, asegurando que refleja las condiciones económicas de la población no universitaria",
- "download.page.release.2_0.update.SCORING_CONTENT_6": "Protección de los distritos censales que fueron designadas como comunidades desfavorecidas en la versión 1.0 de esta herramienta",
- "download.page.release.2_0.update.UI_SUBSECTION": "Mejoras en la interfaz de usuario",
+ "download.page.release.2_0.update.NEW_IMPROVED_CONTENT_1": "Se agregó la carga de bajos ingresos a Samoa Americana, Guam, las Islas Marianas y las Islas Vírgenes de los Estados Unidos",
+ "download.page.release.2_0.update.NEW_IMPROVED_CONTENT_2": "Los distritos de estos Territorios que están completamente rodeados de zonas desfavorecidas y superan un umbral ajustado de bajos ingresos ahora se consideran desfavorecidas",
+ "download.page.release.2_0.update.NEW_IMPROVED_CONTENT_3": "Además, los distritos censales en estos cuatro Territorios ahora se consideran desfavorecidos si solo alcanzan el umbral de bajos ingresos, porque estos territorios no están incluidos en los conjuntos de datos nacionalmente consistentes sobre cargas ambientales y climáticas utilizados en la herramienta",
+ "download.page.release.2_0.update.NEW_IMPROVED_CONTENT_4": "Se actualizaron los datos en la categoría de desarrollo de la fuerza laboral a los datos del Censo Decenal de 2020 para los territorios estadounidenses de Guam, las Islas Vírgenes, las Islas Marianas del Norte y Samoa Americana",
+ "download.page.release.2_0.update.NEW_IMPROVED_CONTENT_5": "Se realizaron mejoras en la carga de bajos ingresos para identificar mejor a los estudiantes universitarios antes de que sean excluidos del percentil de esa carga",
+ "download.page.release.2_0.update.NEW_IMPROVED_CONTENT_6": "Los distritos censales que estaban en desventaja en la versión 1.0 continúan considerándose en desventaja en la versión 2.0",
+ "download.page.release.2_0.update.NEW_IMPROVED_SECTION": "Nuevo y Mejorado",
+ "download.page.release.2_0.update.TECHNICAL_FIXES_SECTION": "Correcciones Técnicas",
+ "download.page.release.2_0.update.TECHNICAL_FIXES_CONTENT_1": "Para distritos que tienen límites de agua, p. En las zonas costeras o insulares, los límites del agua ahora se excluyen del cálculo para determinar si un distrito está 100% rodeado por distritos censales desfavorecidas",
+ "download.page.release.2_0.update.UI_SECTION": "Mejoras en la Interfaz de Usuario",
"download.page.release.2_0.update.UI_CONTENT_1": "Los usuarios ahora pueden buscar en el mapa por el numero de identificación de distrito censal",
- "download.page.release.2_0.update.UI_CONTENT_2": "Mostrar percentiles de bajos ingresos de islas y territorios en la barra lateral",
+ "download.page.release.2_0.update.UI_CONTENT_2": "El mapa base se ha actualizado para utilizar un mapa gratuito y de código abierto",
"downloads.page.change.log.text": "notas de la publicación",
"downloads.page.download.icon.alt.tag": "El icono utilizado para indicar que el archivo se puede descargar.",
"downloads.page.files.section.text": "Los conjuntos de datos de la versión {version} de la herramienta, junto con un libro de código, e información sobre cómo utilizar la lista de comunidades (.pdf) están disponibles para descargarse:",
@@ -309,11 +294,10 @@
"explore.map.page.under.map.note.on.territories.intro": "Nota sobre los territorios de los Estados Unidos",
"explore.map.page.under.map.note.on.territories.para.0": "No todos los datos utilizados en la herramienta están disponibles o se utilizan para todos los territorios estadounidenses.",
"explore.map.page.under.map.note.on.territories.para.1": "Puerto Rico: Los datos utilizados para Puerto Rico proceden de todos los campos relevantes y disponibles en las categorías de energía, vivienda, contaminación heredada, transporte y formación de la fuerza laboral. Se utilizan los siguientes datos: ingresos bajos, riesgo previsto de inundaciones, costo de la energía, falta de tubería interior, pintura con plomo, costo de la vivienda, proximidad a instalaciones de residuos peligrosos, proximidad a sitios del Superfund o de la Lista Nacional de Prioridades (NPL), proximidad a instalaciones del Plan de Manejo de Riesgos (RMP), exposición a partículas diésel, proximidad al tráfico y volumen de este, tanques de almacenamiento subterráneo y descargas, vertido de aguas residuales, ingresos medios bajos, pobreza, desempleo y educación secundaria o preparatoria. Se eliminó el aislamiento lingüístico para Puerto Rico basándose en los comentarios recibidos durante el periodo beta.",
- "explore.map.page.under.map.note.on.territories.para.2": "Samoa estadounidense, Guam, las Islas Marianas del Norte y las Islas Vírgenes de los Estados Unidos: Para estos territorios de los Estados Unidos, la herramienta utiliza los siguientes datos: desempleo, pobreza, ingresos medios bajos y educación secundaria o preparatoria. Estas cargas están en la categoría Formación de la fuerza laboral.",
+ "explore.map.page.under.map.note.on.territories.para.2": "Samoa estadounidense, Guam, las Islas Marianas del Norte y las Islas Vírgenes de los Estados Unidos: Para estos territorios de los Estados Unidos, la herramienta utiliza los siguientes datos: tasa esperada de pérdida agrícola, tasa esperada de pérdida de edificios, tasa esperada de pérdida de población, tierras mineras abandonadas, bajos ingresos, desempleo, pobreza, ingreso medio bajo y educación secundaria. Estas cargas se encuentran en las categorías de cambio climático, contaminación heredada y desarrollo de la fuerza laboral.",
"explore.map.page.under.map.note.on.tribal.nations.intro": "Observaciones sobre las naciones tribales",
"explore.map.page.under.map.note.on.tribal.nations.para.1": "Para respetar la soberanía tribal y el autogobierno y cumplir con las responsabilidades del fideicomiso federal y del tratado con las naciones tribales, las tierras dentro de los límites de las tribus reconocidas a nivel federal se designan como desfavorecidas en el mapa. Los pueblos nativos de Alaska se incluyen como ubicaciones puntuales que son más pequeñas que un distrito censal. Los límites de los distritos censales y las tierras de las tribus reconocidas a nivel federal son diferentes.",
"explore.map.page.under.map.note.on.tribal.nations.para.2": "Esta decisión se tomó tras una consulta significativa y sólida con las naciones tribales. Esto coincide con el Plan de acción para la consulta y coordinación con las naciones tribales del CEQ, el Memorando del presidente Biden sobre la Consulta de las naciones tribales y fortalecimiento de las consultas entre naciones, y la Orden ejecutiva 13175 sobre Consulta y coordinación con los gobiernos de las tribus indias.",
- "fab.survey.text": "Ayude a mejorar el sitio web y los datos",
"faqs.page.Q1": "¿Qué es la Herramienta de evaluación de la justicia climática y económica (CEJST)?",
"faqs.page.Q12": "¿En qué se diferencia la Herramienta de evaluación de la justicia climática y económica (CEJST) de otras herramientas federales de evaluación ambiental, como EJScreen?",
"faqs.page.Q13": "¿En qué se diferencia esta herramienta de las herramientas de evaluación estatales?",
@@ -344,7 +328,6 @@
"faqs.page.answers.Q15_P1_4": "El público también puede enviar un correo electrónico a {general_email_address}",
"faqs.page.answers.Q16_P1": "CEQ lanzó una versión beta (o borrador) del CEJST en febrero de 2022 con el apoyo del Servicio Digital de EE. UU. (USDS) y en colaboración con otras agencias y departamentos federales. El CEJST se lanzó en una versión beta para buscar comentarios de agencias federales, naciones tribales, gobiernos estatales y locales, miembros del Congreso, partes interesadas en la justicia ambiental y el público. El período de comentarios públicos de 90 días fue cerrado el 25 de mayo de 2022. CEQ y el USDS organizaron varios entrenamientos públicos sobre la versión beta del CEJST. Todos estos comentarios sobre la versión beta del CEJST ayudaron a informar el lanzamiento de la versión 1.0 del CEJST.",
"faqs.page.answers.Q16_P2": "La versión 1.0 se lanzó en {version1Release}. La versión actual, la versión {currentVersion}, se publicó en {currentVersionRelease}.",
- "faqs.page.answers.Q18": "Inscríbase para recibir actualizaciones sobre la Herramienta de evaluación de la justicia climática y económica (CEJST) y otras noticias sobre justicia ambiental de CEQ.",
"faqs.page.answers.Q19": "La Herramienta de evaluación de la justicia climática y económica (CEJST) dispone de descargas. Las planillas de cálculo (.xlxs) y (.csv) contienen definiciones y datos de la herramienta. Estos datos pueden utilizarse para el análisis. Los archivos de forma y GeoJSON pueden cargarse en otros programas cartográficos como Esri. Las descargas incluyen información sobre cómo utilizar los archivos. La información de versiones anteriores de la herramienta está disponible en la página versiones anteriores.",
"faqs.page.answers.Q1_P1": "El CEJST es una herramienta de mapeo geoespacial que identifica comunidades desfavorecidas que enfrentan cargas. La herramienta tiene un mapa interactivo y utiliza conjuntos de datos que son indicadores de cargas.",
"faqs.page.answers.Q1_P2": "El público puede encontrar comunidades de interés y proporcionar comentarios al respecto. Estos comentarios se usarán para mejorar la herramienta.",
@@ -513,6 +496,7 @@
"methodology.page.datasetCard.new": "NUEVO",
"methodology.page.datasetCard.responsible.party": "Parte encargada:",
"methodology.page.datasetCard.source": "Fuente:",
+ "methodology.page.datasetCard.updated": "ACTUALIZADO",
"methodology.page.datasetCard.used.in": "Utilizado en:",
"methodology.page.datasetContainer.additional.heading": "Otros indicadores",
"methodology.page.datasetContainer.additional.info": "Estos conjuntos de datos brindan más información sobre cada comunidad.",
@@ -549,13 +533,12 @@
"methodology.page.paragraph.2": "La herramienta utiliza conjuntos de datos como indicadores de cargas. Las cargas están organizadas en categorías. Una comunidad se destaca como desfavorecida en el mapa CEJST si se encuentra en un distrito censal que está (1) en o por encima del umbral para una o más cargas ambientales, climáticas u otras, y (2) en o por encima del umbral de carga socioeconómica asociada.",
"methodology.page.paragraph.1.bullet.1": "Si se encuentran en un distrito censal que cumple con los umbrales de al menos una de las categorías de carga de la herramienta, o",
"methodology.page.paragraph.1.bullet.2": "Si están en tierras dentro de los límites de las tribus reconocidas a nivel federal.",
- "methodology.page.paragraph.1.bullet.3": "Si el distrito censal se identificó como desfavorecido en la versión 1.0, entonces el distrito censal se considera desfavorecido en la versión 2.0.",
- "methodology.page.paragraph.1.bullet.4": "Si el distrito censal es un distrito nuevo en 2020, entonces el porcentaje de tierra que compartió, si corresponde, con un tramo previamente desfavorecido se considerará desfavorecido.",
- "methodology.page.paragraph.1.bullet.5": "Además, los ditritos censales en ciertos territorios de EE. UU. se consideran desfavorecidas si solo alcanzan el umbral de bajos ingresos. Esto se debe a que estos Territorios no están incluidos en cada uno de los conjuntos de datos consistentes a nivel nacional sobre cargas ambientales y climáticas que se utilizan actualmente en la herramienta.",
+ "methodology.page.paragraph.1.bullet.3": "Para los distritos censales que se identificaron como desfavorecidos en la versión 1.0 de la herramienta, pero que no cumplen con la metodología para la versión 2.0: si el distrito censal se identificó como desfavorecido en la versión 1.0, entonces el distrito censal se considera desfavorecido.",
+ "methodology.page.paragraph.1.bullet.4": "Además, los ditritos censales en ciertos territorios de EE. UU. se consideran desfavorecidas si solo alcanzan el umbral de bajos ingresos. Esto se debe a que estos Territorios no están incluidos en cada uno de los conjuntos de datos consistentes a nivel nacional sobre cargas ambientales y climáticas que se utilizan actualmente en la herramienta.",
"methodology.page.paragraph.3": "La herramienta utiliza conjuntos de datos que son indicadores de cargas. Las cargas se organizan en categorías. Una comunidad se destaca como desfavorecida en el mapa de la CEJST si se encuentra en un distrito censal que está (1) en o por encima del umbral para una o más cargas ambientales, climáticas o de otro tipo, y (2) en o por encima del umbral para una carga socioeconómica asociada.",
"methodology.page.paragraph.4": "Además, también se considera desfavorecido un distrito censal que esté completamente rodeado de comunidades desfavorecidas y se sitúe en el percentil 50 o por encima de él en cuanto a ingresos bajos.",
"methodology.page.paragraph.5": "Las tribus reconocidas a nivel federal, incluidos los pueblos nativos de Alaska, también se consideran comunidades desfavorecidas.",
- "methodology.page.paragraph.6": "Estos distritos censales son pequeñas unidades geográficas. Los límites de los distritos censales para áreas con fines estadísticos son determinados por la Oficina del Censo de los EE. UU. cada diez años. La herramienta utiliza los límites de los distritos censales de 2010. Se eligió esta opción porque muchas de las fuentes de datos de la herramienta actualmente usan los límites de dicho censo.",
+ "methodology.page.paragraph.6": "Estos distritos censales son pequeñas unidades geográficas. Los límites de los distritos censales para áreas con fines estadísticos son determinados por la Oficina del Censo de los EE. UU. cada diez años. La herramienta utiliza los límites de los distritos censales de 2010.",
"methodology.page.return.to.top.link": "Regresar arriba",
"methodology.page.sub.heading.1": "Categorías de cargas",
"methodology.page.sub.heading.2": "Tribus",
@@ -564,12 +547,14 @@
"pageNotFound.apology.text": "Lo sentimos, no se pudo encontrar la página que estaba buscando. Explore el mapa u obtenga más información acerca de la herramienta.",
"pageNotFound.heading.text": "No se encontró la página",
"pageNotFound.title.text": "No se encontró la página",
- "previous.versions.page.body.text": "La versión beta de la metodología y los datos se utilizaron durante el periodo de la versión beta pública para obtener comentarios sobre la herramienta desde {startDate} \u2013 {endDate}.",
+ "previous.versions.page.1_0.body.text": "La versión 1.0 de la metodología y los datos estuvieron disponibles en el sitio web de la herramienta desde {startDate} \u2013 {endDate}.",
+ "previous.versions.page.1_0.card.text": "Versión 1.0",
+ "previous.versions.page.beta.body.text": "La versión beta de la metodología y los datos se utilizaron durante el periodo de la versión beta pública para obtener comentarios sobre la herramienta desde {startDate} \u2013 {endDate}.",
+ "previous.versions.page.beta.card.text": "Versión Beta",
"previous.versions.page.button1.alt.tag.text": "un botón que permite descargar los datos y la documentación a la herramienta",
"previous.versions.page.button1.text": "Información y documentación",
"previous.versions.page.button2.alt.tag.text": "un botón que permite descargar el archivo de forma y el libro de código a la herramienta",
"previous.versions.page.button2.text": "Archivo de forma y libro de código",
- "previous.versions.page.card.text": "Versión 1.0",
"previous.versions.page.title.text": "Versiones anteriores",
"privacy.page.title": "Política de Privacidad",
"privacy.page.heading": "Política de Privacidad de CEJST",
@@ -607,7 +592,6 @@
"public.eng.page.video.box.button.img.alt.text2": "el icono para mostrar que este botón descargará el archivo",
"public.eng.page.video.box.button1.beta.text": "Ver en demo beta",
"public.eng.page.video.box.button1.1_0.text": "Ver v1.0 demo",
- "public.eng.page.video.box.button1.text": "Véalo en YouTube",
"public.eng.page.video.box.button2.beta.text": "Descargue diapositivas de la versión beta",
"public.eng.page.video.box.button2.text": "Descargue diapositivas",
"technical.support.doc.page.coming.soon.text": "¡Próximamente!",
diff --git a/client/src/pages/about.tsx b/client/src/pages/about.tsx
index 6d5bbe9f..a5f9e6f3 100644
--- a/client/src/pages/about.tsx
+++ b/client/src/pages/about.tsx
@@ -1,34 +1,27 @@
-import * as React from 'react';
import {useIntl} from 'gatsby-plugin-intl';
+import * as React from 'react';
import {useWindowSize} from 'react-use';
+import {Grid} from '@trussworks/react-uswds';
import AboutCard from '../components/AboutCard/AboutCard';
import AboutCardsContainer from '../components/AboutCard/AboutCardsContainer';
-import {Grid} from '@trussworks/react-uswds';
+import DatasetsButton from '../components/DatasetsButton';
import HowYouCanHelp from '../components/HowYouCanHelp';
import J40MainGridContainer from '../components/J40MainGridContainer';
import Layout from '../components/layout';
-import DatasetsButton from '../components/DatasetsButton';
import SubPageNav from '../components/SubPageNav';
-import * as ABOUT_COPY from '../data/copy/about';
import {GITHUB_LINK, GITHUB_LINK_ES} from '../constants';
+import {DATA_SURVEY_LINKS, PAGES_ENDPOINTS, USWDS_BREAKPOINTS} from '../data/constants';
+import * as ABOUT_COPY from '../data/copy/about';
import {FEEDBACK_EMAIL} from '../data/copy/common';
-import {PAGES_ENDPOINTS, USWDS_BREAKPOINTS, DATA_SURVEY_LINKS} from '../data/constants';
-import accountBalanceIcon // @ts-ignore
- from '/node_modules/uswds/dist/img/usa-icons/account_balance.svg';
-
-import fileDownloadIcon from // @ts-ignore
- '/node_modules/uswds/dist/img/usa-icons/file_download.svg';
import commentIcon from // @ts-ignore
'/node_modules/uswds/dist/img/usa-icons/comment.svg';
import githubIcon from // @ts-ignore
'/node_modules/uswds/dist/img/usa-icons/github.svg';
-import {USE_DATA_TUTORIAL_LINK, USE_MAP_TUTORIAL_LINK,
- USE_DATA_TUTORIAL_LINK_ES, USE_MAP_TUTORIAL_LINK_ES} from '../data/copy/about';
interface IAboutPageProps {
location: Location;
@@ -61,15 +54,8 @@ const AboutPage = ({location}: IAboutPageProps) => {
diff --git a/client/src/pages/tests/__snapshots__/about.test.tsx.snap b/client/src/pages/tests/__snapshots__/about.test.tsx.snap
index 404cf116..44949a96 100644
--- a/client/src/pages/tests/__snapshots__/about.test.tsx.snap
+++ b/client/src/pages/tests/__snapshots__/about.test.tsx.snap
@@ -417,76 +417,19 @@ exports[`rendering of the DatasetContainer checks if various text fields are vis
>
- In January of 2021, President Biden issued
-
- Executive Order 14008
-
- . The order directed the Council on Environmental Quality (CEQ) to develop a new tool. This tool is called the Climate and Economic Justice Screening Tool. The tool has an interactive map and uses datasets that are indicators of burdens in eight categories: climate change, energy, health, housing, legacy pollution, transportation, water and wastewater, and workforce development. The tool uses this information to identify communities that are experiencing these burdens. These are the communities that are disadvantaged because they are marginalized by underinvestment and overburdened by pollution.
+ This tool is called the Climate and Economic Justice Screening Tool. The tool has an interactive map and uses datasets that are indicators of burdens in eight categories: climate change, energy, health, housing, legacy pollution, transportation, water and wastewater, and workforce development. The tool uses this information to identify communities that are experiencing these burdens. These are the communities that are disadvantaged because they are marginalized by underinvestment and overburdened by pollution.
- Federal agencies will use the tool to help identify disadvantaged communities that will benefit from programs included in the
-
- Justice40 Initiative
-
- . The Justice40 Initiative seeks to deliver 40% of the overall benefits of investments in climate, clean energy, and related areas to disadvantaged communities.
-
-
- Federal agencies should also use the following:
-
-
-
-
-
-
- Memorandum
-
- on Using the CEJST for the Justice40 Initiative
-
-
-
- CEQ will continue to update the tool, after reviewing public feedback,
- research, and the availability of new data. The current version of the
+ CEQ will update the tool, after reviewing public feedback,
+ research, and the availability of new data. The current version of the
tool is version 2.0.
+
+
+
+ A Spanish version of the site will be available in the near future.
+
@@ -504,7 +447,7 @@ exports[`rendering of the DatasetContainer checks if various text fields are vis
data-testid="gridContainer"
>
@@ -522,7 +465,7 @@ exports[`rendering of the DatasetContainer checks if various text fields are vis
>
statistical areas
- are determined by the U.S. Census Bureau once every ten years. The tool utilizes the census tract boundaries from 2020. This was chosen because many of the data sources in the tool currently use the 2010 census boundaries. The tool also shows land within the boundaries of Federally Recognized Tribes and point locations for Alaska Native Villages and landless Tribes in the lower 48 states.
+ are determined by the U.S. Census Bureau once every ten years. The tool utilizes the census tract boundaries from 2010. The tool also shows land within the boundaries of Federally Recognized Tribes and point locations for Alaska Native Villages and landless Tribes in the lower 48 states.
The tool ranks most of the burdens using percentiles. Percentiles show how much burden each tract experiences compared to other tracts. Certain burdens use percentages or a simple yes/no.
@@ -540,138 +483,6 @@ exports[`rendering of the DatasetContainer checks if various text fields are vis
-
-
-
-
-
-
-
-
-
- Using the map
-
-
-
- Zoom in and select any census tract to see if it is considered disadvantaged.
-
-
-
- The Council on Environmental Quality plans to issue a Request for Information in 2023. This will give the public time to use the tool before providing comments.
-
-
diff --git a/client/src/pages/tests/__snapshots__/downloads.test.tsx.snap b/client/src/pages/tests/__snapshots__/downloads.test.tsx.snap
index 0ec2a85e..441ac6a6 100644
--- a/client/src/pages/tests/__snapshots__/downloads.test.tsx.snap
+++ b/client/src/pages/tests/__snapshots__/downloads.test.tsx.snap
@@ -447,54 +447,59 @@ exports[`rendering of the DatasetContainer checks if various text fields are vis
Version 2.0 Release update - Dec 19, 2024
- New & improved
+ New & Improved
- Scoring improvements
+ Added the low income burden to American Samoa, Guam, the Mariana Islands, and the U.S. Virgin
+ Islands
-
-
- Updated to use Census Decennial 2020 data for the U.S. territories
- of Guam, Virgin Islands, Northern Mariana Islands, and American Samoa
-
-
- U.S. territories of Guam, Virgin Islands, Northern Mariana Islands,
- and American Samoa qualify as disadvantaged communities based on a low-income
- threshold at or above the 65th percentile, in addition to any existing qualification
- pathways
-
-
- Apply a donut hole disadvantaged community qualification to U.S.
- territories of Guam, Virgin Islands, Northern Mariana Islands, American Samoa,
- and Puerto Rico based on adjacency to already qualifying disadvantaged community
- tracts and meeting a 50th percentile low-income threshold
-
-
- Improved donut hole disadvantaged community qualification by
- adding tracts that are fully surrounded and have water boundaries
-
-
- The poverty percentage calculation excludes college students,
- ensuring it reflects the economic conditions of the non-college population
-
-
- Grandfathering of Census tracts that were designated as
- disadvantaged communities in version 1.0 of this tool
-
-
- User interface improvements
+ Tracts in these territories that are completely surrounded by disadvantaged tracts and exceed
+ an adjusted low income threshold are now considered disadvantaged
+
+
+ Additionally, census tracts in these four Territories are now considered disadvantaged if they
+ meet the low income threshold only, because these Territories are not included in the nationally-consistent
+ datasets on environmental and climate burdens used in the tool
+
+
+ Updated the data in the workforce development category to the Census Decennial 2020 data for
+ the U.S. territories of Guam, Virgin Islands, Northern Mariana Islands, and American Samoa
+
+
+ Made improvements to the low income burden to better identify college students before they are
+ excluded from that burden’s percentile
+
+
+ Census tracts that were disadvantaged under version 1.0 continue to be considered as
+ disadvantaged in version 2.0
+
+
+
+
+ Technical Fixes
+
+
+
+
+ For tracts that have water boundaries, e.g. coastal or island tracts, the water boundaries are
+ now excluded from the calculation to determine if a tract is 100% surrounded by disadvantaged census tracts
+
+
+
+
+ User Interface Improvements
+
+
+
+
+ Added the ability to search by census tract ID
+
+
+ The basemap has been updated to use a free, open source map
-
-
- Users can now search on the map by Census tract ID
-
-
- Show island and territory low-income percentiles in the sidebar
-
-
@@ -502,12 +507,9 @@ exports[`rendering of the DatasetContainer checks if various text fields are vis
-
- The dataset used in the 2.0 version of the tool, along with a codebook, and information about how to use the list of communities (.pdf) are available for download:
-
-
+
(.xlsx 35.6MB)
-
+
(Codebook included with shapefile 356.8MB unzipped)
- How does the Council on Environmental Quality (CEQ) keep people informed about the tool?
+ What files and documentation are available from the tool?
-
-
- Sign up
-
- to receive updates on the Climate and Economic Justice Screening Tool (CEJST) and other environmental justice news from CEQ.
-
-
-
-
-
-
The Climate and Economic Justice Screening Tool (CEJST) has
@@ -1018,10 +986,10 @@ exports[`rendering of the DatasetContainer checks if various text fields are vis
class="usa-accordion__heading -faq"
>