diff --git a/.github/scripts/check_project_fos_precision/data/SED-CIP-2022.xlsx b/.github/scripts/check_project_fos_precision/data/SED-CIP-2022.xlsx
new file mode 100644
index 000000000..dcea62628
Binary files /dev/null and b/.github/scripts/check_project_fos_precision/data/SED-CIP-2022.xlsx differ
diff --git a/.github/scripts/check_project_fos_precision/field_of_science.py b/.github/scripts/check_project_fos_precision/field_of_science.py
new file mode 100644
index 000000000..b2b1e9a00
--- /dev/null
+++ b/.github/scripts/check_project_fos_precision/field_of_science.py
@@ -0,0 +1,188 @@
+from functools import lru_cache
+from typing import Union
+import string
+
+import pandas as pd
+
+
+@lru_cache()
+def get_cip_df():
+
+ cip_df = pd.read_excel("data/SED-CIP-2022.xlsx")
+
+ # Drop the first two rows and make the third row the column title
+ cip_df.columns = cip_df.iloc[2]
+ cip_df = cip_df.iloc[3:]
+
+ cip_df["BroadFieldId"] = cip_df['SED-CIP code'].apply(lambda x: get_id(x, 0))
+ cip_df["MajorFieldId"] = cip_df['SED-CIP code'].apply(lambda x: get_id(x, 1))
+ cip_df["DetailedFieldId"] = cip_df['SED-CIP code'].apply(lambda x: get_id(x, 2))
+
+ return cip_df
+
+
+def get_matching_rows(cip_df, broad_id, major_id, detailed_id):
+
+ # Check the finest grain first
+ detailed_rows = cip_df[(cip_df["BroadFieldId"] == broad_id) & (cip_df['MajorFieldId'] == major_id) & (
+ cip_df["DetailedFieldId"] == detailed_id)]
+
+ if len(detailed_rows) > 0:
+ return detailed_rows
+
+ # Check the major grain
+ major_rows = cip_df[(cip_df["BroadFieldId"] == broad_id) & (cip_df['MajorFieldId'] == major_id)]
+
+ if len(major_rows) > 0:
+ return major_rows
+
+ # Check the broad grain
+ broad_rows = cip_df[cip_df["BroadFieldId"] == broad_id]
+
+ if len(broad_rows) > 0:
+ return broad_rows
+
+ raise ValueError(f"No matching rows for {broad_id}.{major_id}{detailed_id}")
+
+
+def map_id_to_fields_of_science(id: str):
+
+ # Define the fields we hope to populate
+ broad_field_of_science = None
+ major_field_of_science = None
+ detailed_field_of_science = None
+
+ cip_df = get_cip_df()
+
+ # If we have a direct match, return it
+ direct_match = cip_df[cip_df["SED-CIP code"] == id]
+ if len(direct_match) > 0:
+ return [direct_match["New broad field"].values[0], direct_match["New major field"].values[0], direct_match["New detailed field"].values[0]]
+
+ # Add the broad field
+ broad_id = get_id(id, 0)
+ major_id = get_id(id, 1)
+ detailed_id = get_id(id, 2)
+
+ try:
+ matching_rows = get_matching_rows(cip_df, broad_id, major_id, detailed_id)
+ except ValueError as e:
+ print(id)
+ return [broad_field_of_science, major_field_of_science, detailed_field_of_science]
+
+ possible_broad_fields = set(map(lambda x: x[1]['New broad field'], matching_rows.iterrows()))
+ if broad_id is not None:
+ best_option = None
+ max_rows = 0
+ for possible_broad_field in set(map(lambda x: x[1]['New broad field'], matching_rows.iterrows())):
+ l = len(cip_df[(cip_df["BroadFieldId"] == broad_id) & (cip_df["New broad field"] == possible_broad_field)])
+
+ if l > max_rows:
+ max_rows = l
+ best_option = possible_broad_field
+
+ print(f"Broad Field: {broad_id}.{major_id}{detailed_id} has possible values {possible_broad_fields} we picked {best_option}")
+
+ broad_field_of_science = best_option
+
+ possible_major_fields = set(map(lambda x: x[1]['New major field'], matching_rows.iterrows()))
+ if major_id is not None:
+ best_option = None
+ max_rows = 0
+ for possible_major_field in possible_major_fields:
+ l = len(cip_df[(cip_df["BroadFieldId"] == broad_id) & (cip_df['MajorFieldId'] == major_id) & (
+ cip_df["New major field"] == possible_major_field)])
+ if l > max_rows:
+ max_rows = l
+ best_option = possible_major_field
+
+ print(f"Major Field: {broad_id}.{major_id}{detailed_id} has rows {possible_major_fields} we picked {best_option}")
+
+ major_field_of_science = best_option
+
+ possible_detailed_fields = set(map(lambda x: x[1]['New detailed field'], matching_rows.iterrows()))
+ if detailed_id is not None:
+ best_option = None
+ max_rows = 0
+ for possible_detailed_field in possible_detailed_fields:
+ l = len(cip_df[(cip_df["BroadFieldId"] == broad_id) & (cip_df['MajorFieldId'] == major_id) & (
+ cip_df["DetailedFieldId"] == detailed_id) & (cip_df["New detailed field"] == possible_detailed_field)])
+ if l > max_rows:
+ max_rows = l
+ best_option = possible_detailed_field
+
+ print(f"Detailed Field: {broad_id}.{major_id}{detailed_id} has rows {possible_detailed_fields} we picked {best_option}")
+
+ detailed_field_of_science = best_option
+
+ return [broad_field_of_science, major_field_of_science, detailed_field_of_science]
+
+
+def get_id(id: Union[float, str], granularity: int):
+
+ # Check if None
+ if pd.isna(id):
+ return None
+
+ # Fix up issues from reading the id as a float
+ digits = [x for x in str(id) if x in string.digits]
+
+ # If the first part is preceded with a 0, (01.2023)
+ if len(str(id).split(".")[0]) == 1:
+ digits = ['0', *digits]
+
+ # If the number ends with a 0, (10.2320)
+ if len(digits) % 2 == 1:
+ digits = [*digits, '0']
+
+
+ if len(digits) % 2 == 1:
+ digits = ['0', *digits]
+
+ if granularity == 0:
+ return "".join(digits[:2])
+
+ if granularity == 1:
+
+ if len(digits) < 4:
+ return None
+
+ return "".join(digits[2:4])
+
+ if granularity == 2:
+
+ if len(digits) < 6:
+ return None
+
+ return "".join(digits[4:])
+
+
+def tests():
+
+ if get_id(1.0, 0) != "01":
+ raise ValueError("Test failed")
+
+ if get_id(1.0, 1) != "00":
+ raise ValueError("Test failed")
+
+ if get_id(10.2320, 2) != "20":
+ raise ValueError("Test failed")
+
+ if get_id(10.2320, 1) != "23":
+ raise ValueError("Test failed")
+
+ if get_id(10.2320, 0) != "10":
+ raise ValueError("Test failed")
+
+ if get_id(01.23, 2) != None:
+ raise ValueError("Test failed")
+
+ if get_id(01.23, 0) != "01":
+ raise ValueError("Test failed")
+
+ if map_id_to_fields_of_science("26.15") != ['Biological and biomedical sciences','Neurobiology and neurosciences', None]:
+ raise ValueError("Test failed")
+
+if __name__ == "__main__":
+ tests()
+ print("All tests passed")
diff --git a/.github/scripts/check_project_fos_precision/main.py b/.github/scripts/check_project_fos_precision/main.py
new file mode 100644
index 000000000..1d7fe8c05
--- /dev/null
+++ b/.github/scripts/check_project_fos_precision/main.py
@@ -0,0 +1,88 @@
+import sys
+import datetime
+
+import yaml
+import requests
+
+from field_of_science import get_id
+
+
+def get_active_projects(start_date: datetime.datetime):
+ response = requests.get(
+ "https://gracc.opensciencegrid.org/q/gracc.osg.summary/_search",
+ json={
+ "size": 0,
+ "query": {
+ "bool": {
+ "filter": [
+ {
+ "term": {
+ "ResourceType": "Payload"
+ }
+ },
+ {
+ "range": {
+ "EndTime": {
+ "lte": int(datetime.datetime.now().timestamp() * 1000),
+ "gte": int(start_date.timestamp() * 1000)
+ }
+ }
+ }
+ ]
+ },
+ },
+ "aggs": {
+ "projects": {
+ "terms": {
+ "field": "ProjectName",
+ "size": 99999999
+ },
+ "aggs": {
+ "projectJobsRan": {
+ "sum": {
+ "field": "Njobs"
+ }
+ }
+ }
+ }
+ }
+ }
+ )
+
+ data = response.json()
+
+ active_projects = [x['key'] for x in data['aggregations']['projects']['buckets']]
+
+ return active_projects
+
+
+
+def has_detailed_precision(id: str):
+ return get_id(id, granularity=1) is not None
+
+
+def main():
+ one_year_ago = datetime.datetime.now() - datetime.timedelta(days=365)
+ active_project_names = get_active_projects(one_year_ago)
+
+ print(active_project_names)
+
+ exceptions = []
+ for project_name in active_project_names:
+ try:
+ project_data = yaml.load(open(f"../../../projects/{project_name}.yaml"), Loader=yaml.Loader)
+
+ if "FieldOfScienceID" not in project_data or not has_detailed_precision(project_data["FieldOfScienceID"]):
+ exceptions.append(f"Project {project_name} is running in the OSPool without detailed precision.")
+
+ except FileNotFoundError as e:
+ pass
+
+
+ if exceptions:
+ print("\n".join(exceptions), sys.stderr)
+ raise Exception("Projects without detailed precision need to be updated.")
+
+
+if __name__ == "__main__":
+ main()
diff --git a/.github/scripts/check_project_fos_precision/requirements.txt b/.github/scripts/check_project_fos_precision/requirements.txt
new file mode 100644
index 000000000..539eb4a89
--- /dev/null
+++ b/.github/scripts/check_project_fos_precision/requirements.txt
@@ -0,0 +1,68 @@
+asn1==2.7.0
+async-generator==1.10
+attrs==21.4.0
+beautifulsoup4==4.11.1
+blinker==1.6.3
+certifi==2024.2.2
+cffi==1.15.0
+chardet==5.1.0
+click==6.7
+configobj==5.0.8
+cryptography==37.0.2
+Deprecated==1.2.13
+enum-compat==0.0.3
+Flask==1.0.4
+Flask-WTF==0.14.3
+gitdb==4.0.11
+GitPython==3.1.43
+gunicorn==20.1.0
+h11==0.13.0
+icalendar==5.0.12
+idna==3.7
+iniconfig==1.1.1
+itsdangerous==0.24
+Jinja2==2.11.3
+ldap3==2.9.1
+MarkupSafe==2.0.1
+numpy==1.26.4
+outcome==1.1.0
+packaging==21.3
+pandas==2.2.2
+pluggy==1.0.0
+prometheus-client==0.20.0
+py==1.11.0
+pyasn1==0.5.1
+pyasn1-modules==0.2.8
+pycparser==2.21
+PyGithub==1.57
+PyJWT==2.6.0
+PyNaCl==1.5.0
+pyOpenSSL==22.0.0
+pyparsing==3.0.7
+PySocks==1.7.1
+pytest==7.1.1
+pytest-mock==3.7.0
+python-dateutil==2.8.2
+python-gnupg==0.5.2
+python-ldap==3.3.1
+pytz==2024.1
+PyYAML==6.0.1
+requests==2.25.1
+selenium==4.1.3
+six==1.16.0
+smmap==5.0.1
+sniffio==1.2.0
+sortedcontainers==2.4.0
+soupsieve==2.3.2.post1
+tomli==2.0.1
+tqdm==4.64.0
+trio==0.20.0
+trio-websocket==0.9.2
+tzdata==2024.1
+urllib3==1.26.6
+webdriverdownloader==1.1.0.3
+Werkzeug==0.15.6
+wrapt==1.14.1
+wsproto==1.1.0
+WTForms==3.0.1
+xmltodict==0.13.0
diff --git a/.github/workflows/check_project_fos_precision.yml b/.github/workflows/check_project_fos_precision.yml
new file mode 100644
index 000000000..80c17a020
--- /dev/null
+++ b/.github/workflows/check_project_fos_precision.yml
@@ -0,0 +1,21 @@
+name: Check Project FOS Precision
+on:
+ pull_request:
+ branches:
+ - main
+ schedule:
+ - cron: '0 0 * * *'
+
+jobs:
+ check:
+ name: Check
+ runs-on: ubuntu-latest
+ steps:
+ - uses: actions/checkout@v3
+ - name: Set up Python
+ uses: actions/setup-python@v4
+ with:
+ python-version: 3.9.15
+ cache: 'pip' # caching pip dependencies
+ - run: pip install -r ./.github/scripts/check_project_fos_precision/requirements.txt
+ - run: python ./.github/scripts/check_project_fos_precision/main.py
\ No newline at end of file
diff --git a/README.md b/README.md
index b8f575064..35af96479 100644
--- a/README.md
+++ b/README.md
@@ -134,7 +134,6 @@ For example, either of the following will match GLOW (13), HCC (67), and IceCube
- `vo=on&vo_sel[]=13&vo_sel[]=67&vo_sel[]=38`
-
Getting Help
------------
diff --git a/projects/ACE_NIAID.yaml b/projects/ACE_NIAID.yaml
index cccc20a6b..b79890418 100644
--- a/projects/ACE_NIAID.yaml
+++ b/projects/ACE_NIAID.yaml
@@ -1,12 +1,9 @@
-Description: Includes the study of biology using computational
- techniques and the creation of tools that work on biological
- data. Also includes the effective use of biomedical data,
- information, and knowledge for scientific inquiry, problem
- solving, and decision making to improve human health. A
- variety of applications, including drug discovery & design
- using Monte Carlo simulations and evolutionary biology with
- mutual information calculations. Also genomics and medical
- imaging analysis.
+Description: Includes the study of biology using computational techniques and the
+ creation of tools that work on biological data. Also includes the effective use
+ of biomedical data, information, and knowledge for scientific inquiry, problem solving,
+ and decision making to improve human health. A variety of applications, including
+ drug discovery & design using Monte Carlo simulations and evolutionary biology with
+ mutual information calculations. Also genomics and medical imaging analysis.
Department: Office of Cyber Infrastructure and Computational Biology
FieldOfScience: Bioinformatics
Organization: National Institute of Allergy and Infectious Diseases
@@ -17,3 +14,4 @@ ID: '782'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/AMFORA.yaml b/projects/AMFORA.yaml
index 96a7652bb..f4f2bb919 100644
--- a/projects/AMFORA.yaml
+++ b/projects/AMFORA.yaml
@@ -9,3 +9,4 @@ PIName: Ian Foster
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/AMNH.astro.yaml b/projects/AMNH.astro.yaml
index 522084c39..12d4fc5a9 100644
--- a/projects/AMNH.astro.yaml
+++ b/projects/AMNH.astro.yaml
@@ -9,3 +9,4 @@ ID: '686'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.02'
diff --git a/projects/AMNH.yaml b/projects/AMNH.yaml
index e735ac695..ddaf6f0cb 100644
--- a/projects/AMNH.yaml
+++ b/projects/AMNH.yaml
@@ -9,3 +9,4 @@ ID: '534'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '54.0101'
diff --git a/projects/AMNH_Burbrink.yaml b/projects/AMNH_Burbrink.yaml
index 8759e58f0..817380f33 100644
--- a/projects/AMNH_Burbrink.yaml
+++ b/projects/AMNH_Burbrink.yaml
@@ -1,4 +1,5 @@
-Description: This work explores systematics of snakes using genomic and ecological data.
+Description: This work explores systematics of snakes using genomic and ecological
+ data.
Department: Herpetology
FieldOfScience: Biological Sciences
Organization: American Museum of Natural History
@@ -9,3 +10,4 @@ ID: '829'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/AMNH_MacLow.yaml b/projects/AMNH_MacLow.yaml
index 00d1ce38e..430be9bce 100644
--- a/projects/AMNH_MacLow.yaml
+++ b/projects/AMNH_MacLow.yaml
@@ -1,4 +1,5 @@
-Description: Use an N-body code with analytic approximations to gas torques to model the formation of the hypothesized massive objects
+Description: Use an N-body code with analytic approximations to gas torques to model
+ the formation of the hypothesized massive objects
Department: Astrophysics
FieldOfScience: Astronomy & Astrophysics
Organization: American Museum of Natural History
@@ -8,3 +9,4 @@ PIName: Mordecai-Mark Mac Low
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.02'
diff --git a/projects/AMNH_Smith.yaml b/projects/AMNH_Smith.yaml
index 6e0d63a8a..c30eaec39 100644
--- a/projects/AMNH_Smith.yaml
+++ b/projects/AMNH_Smith.yaml
@@ -9,3 +9,4 @@ ID: '583'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/AMS.yaml b/projects/AMS.yaml
index a97fdd37a..96dd9db65 100644
--- a/projects/AMS.yaml
+++ b/projects/AMS.yaml
@@ -7,3 +7,4 @@ PIName: Baosong Shan
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '40.0804'
diff --git a/projects/ASPU.yaml b/projects/ASPU.yaml
index d5c9bf51d..a06c24632 100644
--- a/projects/ASPU.yaml
+++ b/projects/ASPU.yaml
@@ -7,3 +7,4 @@ PIName: ilyoup kwak
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/ASU-CFD.yaml b/projects/ASU-CFD.yaml
index 0f978f3e9..b333d6ae5 100644
--- a/projects/ASU-CFD.yaml
+++ b/projects/ASU-CFD.yaml
@@ -9,3 +9,4 @@ ID: '535'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27'
diff --git a/projects/ASU_CoMSESNet.yaml b/projects/ASU_CoMSESNet.yaml
index 246424e4f..7b9207ad5 100644
--- a/projects/ASU_CoMSESNet.yaml
+++ b/projects/ASU_CoMSESNet.yaml
@@ -1,4 +1,5 @@
-Description: Improving the way researchers, educators and professionals develop, share, use, and re-use computational models in the social and ecological sciences
+Description: Improving the way researchers, educators and professionals develop, share,
+ use, and re-use computational models in the social and ecological sciences
Department: Center for Behavior, Institutions, and the Environment
FieldOfScience: Complex Adaptive Systems
Organization: Arizona State University
@@ -7,3 +8,4 @@ PIName: Michael Barton
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.0804'
diff --git a/projects/ASU_EvolutionMedicineIT.yaml b/projects/ASU_EvolutionMedicineIT.yaml
index d7a933a3c..56c79d8ff 100644
--- a/projects/ASU_EvolutionMedicineIT.yaml
+++ b/projects/ASU_EvolutionMedicineIT.yaml
@@ -1,4 +1,4 @@
-Description: Project for Center for Evolution and Medicine IT staff
+Description: Project for Center for Evolution and Medicine IT staff
Department: Center for Evolution and Medicine
FieldOfScience: Biological Sciences
Organization: Arizona State University
@@ -9,3 +9,4 @@ ID: '675'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/ASU_Jacobs.yaml b/projects/ASU_Jacobs.yaml
index 6ac3211b3..a64138844 100644
--- a/projects/ASU_Jacobs.yaml
+++ b/projects/ASU_Jacobs.yaml
@@ -1,4 +1,4 @@
-Description: Simulations of radio interferometers
+Description: Simulations of radio interferometers
Department: School of Earth and Space Exploration
FieldOfScience: Astronomy
Organization: Arizona State University
@@ -9,3 +9,4 @@ ID: '731'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.02'
diff --git a/projects/ASU_Ozkan.yaml b/projects/ASU_Ozkan.yaml
index a0fc54bb5..abb6683bf 100644
--- a/projects/ASU_Ozkan.yaml
+++ b/projects/ASU_Ozkan.yaml
@@ -1,8 +1,7 @@
-Description: In this research, we are trying to study and calculate the
- binding free energy of protein complexes with large peptides. The
- strategy is to apply constant velocity pulling on peptides based on
- NAMD simulations and statistically calculate the binding free energy
- by applying Jarzynskis equality.
+Description: In this research, we are trying to study and calculate the binding free
+ energy of protein complexes with large peptides. The strategy is to apply constant
+ velocity pulling on peptides based on NAMD simulations and statistically calculate
+ the binding free energy by applying Jarzynskis equality.
Department: Physics
FieldOfScience: Physics
Organization: Arizona State University
@@ -13,3 +12,4 @@ ID: '802'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/ASU_Pfeifer.yaml b/projects/ASU_Pfeifer.yaml
index 02dd4b7cd..c6b8c44cb 100644
--- a/projects/ASU_Pfeifer.yaml
+++ b/projects/ASU_Pfeifer.yaml
@@ -9,3 +9,4 @@ ID: '625'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1399'
diff --git a/projects/ASU_RCStaff.yaml b/projects/ASU_RCStaff.yaml
index c8cf41787..d4ff9a1f6 100644
--- a/projects/ASU_RCStaff.yaml
+++ b/projects/ASU_RCStaff.yaml
@@ -7,3 +7,4 @@ PIName: Douglas M. Jennewein
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.9999'
diff --git a/projects/ASU_Singharoy.yaml b/projects/ASU_Singharoy.yaml
index d42249cf0..b7c17660b 100644
--- a/projects/ASU_Singharoy.yaml
+++ b/projects/ASU_Singharoy.yaml
@@ -9,3 +9,4 @@ ID: '629'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/AdHocComm.yaml b/projects/AdHocComm.yaml
index b926ca82b..ff7cb5458 100644
--- a/projects/AdHocComm.yaml
+++ b/projects/AdHocComm.yaml
@@ -8,3 +8,4 @@ PIName: Trevor Santarra
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/AfricanSchool.yaml b/projects/AfricanSchool.yaml
index 004364483..a0ef5017b 100644
--- a/projects/AfricanSchool.yaml
+++ b/projects/AfricanSchool.yaml
@@ -8,3 +8,4 @@ PIName: Rob Quick
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '13'
diff --git a/projects/AlGDock.yaml b/projects/AlGDock.yaml
index f8dbb1270..705fbdbe1 100644
--- a/projects/AlGDock.yaml
+++ b/projects/AlGDock.yaml
@@ -1,13 +1,11 @@
Department: Chemistry
-Description: 'Binding Potential of Mean Force Calculations with Alchemical Interaction
- Grids
-
-
- Standard binding free energies are frequently sought in drug design. According to
- implicit ligand theory, standard binding free energies can be determined from binding
- potential of mean force (PMF) calculations from different receptor structures. Binding
- PMFs are a special type of binding free energy in which the receptor is rigid. The
- purpose of this project is to develop methods for estimating binding PMFs.'
+Description: "Binding Potential of Mean Force Calculations with Alchemical Interaction
+ Grids\n\nStandard binding free energies are frequently sought in drug design. According
+ to implicit ligand theory, standard binding free energies can be determined from
+ binding potential of mean force (PMF) calculations from different receptor structures.
+ Binding PMFs are a special type of binding free energy in which the receptor is
+ rigid. The purpose of this project is to develop methods for estimating binding
+ PMFs."
FieldOfScience: Chemistry
ID: '76'
Organization: Illinois Institute of Technology
@@ -15,3 +13,4 @@ PIName: David Minh
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/Albany_DAES.yaml b/projects/Albany_DAES.yaml
index 1f9e4aebf..d68cc0b60 100644
--- a/projects/Albany_DAES.yaml
+++ b/projects/Albany_DAES.yaml
@@ -1,10 +1,12 @@
-Description: Department of Atmospheric and Environmental Sciences at the University of Albany.
+Description: Department of Atmospheric and Environmental Sciences at the University
+ of Albany.
Department: Department of Atmospheric Environmental Sciences
FieldOfScience: Atmospheric Sciences
Organization: University of Albany
-PIName: Ryan Torn
+PIName: Ryan Torn
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.04'
diff --git a/projects/AllenISD_Cheon.yaml b/projects/AllenISD_Cheon.yaml
index 3a93158d6..687c66eed 100644
--- a/projects/AllenISD_Cheon.yaml
+++ b/projects/AllenISD_Cheon.yaml
@@ -7,3 +7,4 @@ PIName: Jimin Cheon
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/AmorphousOrder.yaml b/projects/AmorphousOrder.yaml
index 60c480a1e..570dbd2f8 100644
--- a/projects/AmorphousOrder.yaml
+++ b/projects/AmorphousOrder.yaml
@@ -16,3 +16,4 @@ PIName: Patrick Charbonneau
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/AnimalSocialNetworks.yaml b/projects/AnimalSocialNetworks.yaml
index 92705723a..bf421d105 100644
--- a/projects/AnimalSocialNetworks.yaml
+++ b/projects/AnimalSocialNetworks.yaml
@@ -1,34 +1,12 @@
Department: Biology
-Description: 'Project Name: Animal Social Networks
-
- Short Project Name: AnimalSocialNetworks
-
- Field of Science: Ecology
-
- Field of Science (if Other):
-
- PI Name: Erol Akcay
-
- PI Email: eakcay@sas.upenn.edu
-
- PI Organization: University of Pennsylvania
-
- PI Department: Biology
-
- Join Date: Nov 30th 2015
-
- Sponsor: OSG Connect
-
- OSG Sponsor Contact: Bala
-
- Project Contact: Amiyaal Ilany
-
- Project Contact Email: amiyaal@sas.upenn.edu
-
- Telephone Number:
-
- Project Description: Modeling the formation and dynamics of animal social networks,
- and how these dynamics affect phenomena at the individual and population levels'
+Description: "Project Name: Animal Social Networks\nShort Project Name: AnimalSocialNetworks\n
+ Field of Science: Ecology\nField of Science (if Other):\nPI Name: Erol Akcay\nPI
+ Email: eakcay@sas.upenn.edu\nPI Organization: University of Pennsylvania\nPI Department:
+ Biology\nJoin Date: Nov 30th 2015\nSponsor: OSG Connect\nOSG Sponsor Contact: Bala\n
+ Project Contact: Amiyaal Ilany\nProject Contact Email: amiyaal@sas.upenn.edu\nTelephone
+ Number:\nProject Description: Modeling the formation and dynamics of animal social
+ networks, and how these dynamics affect phenomena at the individual and population
+ levels"
FieldOfScience: Biological Sciences
ID: '301'
Organization: University of Pennsylvania
@@ -36,3 +14,4 @@ PIName: Erol Akcay
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/Arcadia_Curotto.yaml b/projects/Arcadia_Curotto.yaml
index 3871a61ee..114a196be 100644
--- a/projects/Arcadia_Curotto.yaml
+++ b/projects/Arcadia_Curotto.yaml
@@ -1,4 +1,5 @@
-Description: "Computational chemistry of hydrogen-nanoparticle interactions and n-alkane conformer transitions"
+Description: Computational chemistry of hydrogen-nanoparticle interactions and n-alkane
+ conformer transitions
Department: Chemistry
FieldOfScience: Chemistry
Organization: Arcadia University
@@ -9,3 +10,4 @@ ID: '621'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/Argoneut.yaml b/projects/Argoneut.yaml
index 72e047481..48c1f7373 100644
--- a/projects/Argoneut.yaml
+++ b/projects/Argoneut.yaml
@@ -7,3 +7,4 @@ PIName: Joe Boyd
Sponsor:
VirtualOrganization:
Name: Fermilab
+FieldOfScienceID: '40.08'
diff --git a/projects/Arizona_Chan_Steward.yaml b/projects/Arizona_Chan_Steward.yaml
index 04817c2e9..b8a16d41c 100644
--- a/projects/Arizona_Chan_Steward.yaml
+++ b/projects/Arizona_Chan_Steward.yaml
@@ -4,3 +4,4 @@ Description: Scalable astronomical data analytics for the Department of Astronom
FieldOfScience: Physics
Organization: University of Arizona
PIName: Chi-kwan Chan
+FieldOfScienceID: '40.08'
diff --git a/projects/Arizona_DataScienceInstitute.yaml b/projects/Arizona_DataScienceInstitute.yaml
index 3d3f56920..889b4ffcd 100644
--- a/projects/Arizona_DataScienceInstitute.yaml
+++ b/projects/Arizona_DataScienceInstitute.yaml
@@ -1,6 +1,6 @@
-Description: Helps researchers and graduate students, to learn Data
- Science Tools over a wide available computational resources in
- order to enhance their research capabilities.
+Description: Helps researchers and graduate students, to learn Data Science Tools
+ over a wide available computational resources in order to enhance their research
+ capabilities.
Department: Data Science Institute
FieldOfScience: Data Science
Organization: University of Arizona
@@ -9,3 +9,4 @@ PIName: Nirav Merchant
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30.7001'
diff --git a/projects/Arizona_Males.yaml b/projects/Arizona_Males.yaml
index 707af6fd5..a9e860abb 100644
--- a/projects/Arizona_Males.yaml
+++ b/projects/Arizona_Males.yaml
@@ -9,3 +9,4 @@ ID: '785'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.02'
diff --git a/projects/Arizona_Paschalidis.yaml b/projects/Arizona_Paschalidis.yaml
index 9ee2184b1..042ef229a 100644
--- a/projects/Arizona_Paschalidis.yaml
+++ b/projects/Arizona_Paschalidis.yaml
@@ -1,11 +1,12 @@
-Description: Systematic Testing of Neutron Star Universal Relations
+Description: Systematic Testing of Neutron Star Universal Relations
Department: Physics
FieldOfScience: Physics
Organization: University of Arizona
-PIName: Vasileios Paschalidis
+PIName: Vasileios Paschalidis
ID: '648'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/Arkansas_Nelson.yaml b/projects/Arkansas_Nelson.yaml
index cc9c50584..a4905e92e 100644
--- a/projects/Arkansas_Nelson.yaml
+++ b/projects/Arkansas_Nelson.yaml
@@ -1,4 +1,6 @@
-Description: Statistical analysis on keys generated by a lattice based cryptography algorithm for post-quantum cryptography to determine patterns in the types of errors produced in the keys.
+Description: Statistical analysis on keys generated by a lattice based cryptography
+ algorithm for post-quantum cryptography to determine patterns in the types of errors
+ produced in the keys.
Department: Computer Science & Computer Engineering
FieldOfScience: Computer Science
Organization: University of Arkansas
@@ -7,3 +9,4 @@ PIName: Alexander Nelson
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/Arkansas_UITSStaff.yaml b/projects/Arkansas_UITSStaff.yaml
index fe22a8dd6..c678b4ac9 100644
--- a/projects/Arkansas_UITSStaff.yaml
+++ b/projects/Arkansas_UITSStaff.yaml
@@ -1,4 +1,5 @@
-Description: Research computing staff at University of Arkansas https://directory.uark.edu/departmental/uits/university-information-technology-serv
+Description: Research computing staff at University of Arkansas
+ https://directory.uark.edu/departmental/uits/university-information-technology-serv
Department: Information Technology
FieldOfScience: Research Computing
Organization: University of Arkansas
@@ -7,3 +8,4 @@ PIName: Don DuRousseau
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/AtlasConnect.yaml b/projects/AtlasConnect.yaml
index d5d7ff30c..e8c5cb3fe 100644
--- a/projects/AtlasConnect.yaml
+++ b/projects/AtlasConnect.yaml
@@ -1,10 +1,8 @@
Department: Computation and Enrico Fermi Institutes
-Description: 'To support ATLAS Tier 3 flocking into Tier 1 and Tier 2 centers and
- to support an OSG Connect-like service dedicated to the US ATLAS Collaboration.
-
-
- The ATLAS detector studies physics at the energy frontier at the Large Hadron Collider
- in Geneva, Switzerland.'
+Description: "To support ATLAS Tier 3 flocking into Tier 1 and Tier 2 centers and
+ to support an OSG Connect-like service dedicated to the US ATLAS Collaboration.\n
+ \nThe ATLAS detector studies physics at the energy frontier at the Large Hadron
+ Collider in Geneva, Switzerland."
FieldOfScience: High Energy Physics
ID: '17'
Organization: University of Chicago
@@ -12,3 +10,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/Auburn_Hauck.yaml b/projects/Auburn_Hauck.yaml
index 10fc0d430..35fa556a2 100644
--- a/projects/Auburn_Hauck.yaml
+++ b/projects/Auburn_Hauck.yaml
@@ -1,5 +1,7 @@
Department: Pathobiology
-Description: Experimental infections with avian reovirus and co-infections with other micro-organisms. We analyze bioinformatic data pertaining to microbiome, gene expression, metagenome and transcriptome obtained from these experiments.
+Description: Experimental infections with avian reovirus and co-infections with other
+ micro-organisms. We analyze bioinformatic data pertaining to microbiome, gene expression,
+ metagenome and transcriptome obtained from these experiments.
FieldOfScience: Agricultural Sciences specifically Poultry Science
Organization: Auburn University
PIName: Ruediger Hauck
@@ -7,3 +9,4 @@ PIName: Ruediger Hauck
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '01'
diff --git a/projects/BAERI_Bejaoui.yaml b/projects/BAERI_Bejaoui.yaml
index 49ac237de..930ae10eb 100644
--- a/projects/BAERI_Bejaoui.yaml
+++ b/projects/BAERI_Bejaoui.yaml
@@ -1,4 +1,5 @@
-Description: Studying the photofragmentation of molecules excited with high energy photons
+Description: Studying the photofragmentation of molecules excited with high energy
+ photons
Department: Bay Area Environmental Research Institute
FieldOfScience: Astronomy & Astrophysics
Organization: Bay Area Environmental Research Institute
@@ -8,3 +9,4 @@ PIName: Salma Bejaoui
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.02'
diff --git a/projects/BCBB_NIAID.yaml b/projects/BCBB_NIAID.yaml
index 9dfd584ea..a7da7d51f 100644
--- a/projects/BCBB_NIAID.yaml
+++ b/projects/BCBB_NIAID.yaml
@@ -1,4 +1,5 @@
-Description: Group for staff/members of the Bioinformatics and Computational Biosciences Branch (BCBB) at NIAID/NIH.
+Description: Group for staff/members of the Bioinformatics and Computational Biosciences
+ Branch (BCBB) at NIAID/NIH.
Department: Office of Cyber Infrastructure and Computational Biology
FieldOfScience: Bioinformatics
Organization: National Institute of Allergy and Infectious Diseases
@@ -7,3 +8,4 @@ PIName: Darrell Hurt
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/BCH_Holt.yaml b/projects/BCH_Holt.yaml
index 4b5d3b1fe..03c6e94ab 100644
--- a/projects/BCH_Holt.yaml
+++ b/projects/BCH_Holt.yaml
@@ -8,3 +8,4 @@ ID: '609'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/BCH_ResearchComputing.yaml b/projects/BCH_ResearchComputing.yaml
index 30a195538..32d0155cb 100644
--- a/projects/BCH_ResearchComputing.yaml
+++ b/projects/BCH_ResearchComputing.yaml
@@ -1,4 +1,4 @@
-Description: Facilitation of Boston Children's Hospital Researchers on OSG Connect
+Description: Facilitation of Boston Children's Hospital Researchers on OSG Connect
FieldOfScience: Medical Sciences
Organization: Boston Children's Hospital
PIName: Arash Nemati Hayati
@@ -8,3 +8,4 @@ ID: '559'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/BC_Grubb.yaml b/projects/BC_Grubb.yaml
index c42acf2b8..767717386 100644
--- a/projects/BC_Grubb.yaml
+++ b/projects/BC_Grubb.yaml
@@ -1,4 +1,10 @@
-Description: This project studies the implementation of a public policy that restricts gender-based pricing in the Chilean private health insurance system. For that matter, I will estimate how enrollees choose plans and how sensitive they are to prices in this market using a discrete choice demand model. With these estimates in hand, I will simulate how people choose plans once prices are restricted to be the same between men and women, and how the structure of the market, in terms of costs, changes after the implementation of the policy.
+Description: This project studies the implementation of a public policy that restricts
+ gender-based pricing in the Chilean private health insurance system. For that matter,
+ I will estimate how enrollees choose plans and how sensitive they are to prices
+ in this market using a discrete choice demand model. With these estimates in hand,
+ I will simulate how people choose plans once prices are restricted to be the same
+ between men and women, and how the structure of the market, in terms of costs, changes
+ after the implementation of the policy.
Department: Economics
FieldOfScience: Economics
Organization: Boston College
@@ -9,3 +15,4 @@ ID: '830'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '5.0212'
diff --git a/projects/BC_Savage.yaml b/projects/BC_Savage.yaml
index 15d03e0fd..a612324a7 100644
--- a/projects/BC_Savage.yaml
+++ b/projects/BC_Savage.yaml
@@ -7,3 +7,4 @@ PIName: Brian Savage
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/BGAgenomics.yaml b/projects/BGAgenomics.yaml
index 948af729e..ce0e7fd66 100644
--- a/projects/BGAgenomics.yaml
+++ b/projects/BGAgenomics.yaml
@@ -7,3 +7,4 @@ PIName: Sucheta Tripathy
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/BNL-PHENIX.yaml b/projects/BNL-PHENIX.yaml
index b5e8f4678..2c747fc56 100644
--- a/projects/BNL-PHENIX.yaml
+++ b/projects/BNL-PHENIX.yaml
@@ -8,3 +8,4 @@ PIName: Matthew Snowball
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '40.0806'
diff --git a/projects/BNLPET.yaml b/projects/BNLPET.yaml
index 8737617c7..aafe4bb88 100644
--- a/projects/BNLPET.yaml
+++ b/projects/BNLPET.yaml
@@ -11,3 +11,4 @@ PIName: Martin Purschke
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '26'
diff --git a/projects/BNL_Schenke.yaml b/projects/BNL_Schenke.yaml
index 50c8d5423..c05d9d02a 100644
--- a/projects/BNL_Schenke.yaml
+++ b/projects/BNL_Schenke.yaml
@@ -9,3 +9,4 @@ ID: '720'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/BNL_Venugopalan.yaml b/projects/BNL_Venugopalan.yaml
index d9e13ab14..4c81e4cb3 100644
--- a/projects/BNL_Venugopalan.yaml
+++ b/projects/BNL_Venugopalan.yaml
@@ -1,7 +1,9 @@
Description: >
- We investigate the dynamics of strongly interacting field theories through a variety of numerical methods,
- ranging from classical lattice simulations to tensor network projects.
+ We investigate the dynamics of strongly interacting field theories through a variety
+ of numerical methods, ranging from classical lattice simulations to tensor network
+ projects.
Department: Physics
FieldOfScience: Physics
Organization: Brookhaven National Laboratory
PIName: Raju Venugopalan
+FieldOfScienceID: '40.08'
diff --git a/projects/BRDMS.yaml b/projects/BRDMS.yaml
index 6435b23c0..47ccc437e 100644
--- a/projects/BRDMS.yaml
+++ b/projects/BRDMS.yaml
@@ -8,3 +8,4 @@ PIName: XUETONG ZHAI
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/BU_Mu2e.yaml b/projects/BU_Mu2e.yaml
index f1349df4d..a66b7dbd7 100644
--- a/projects/BU_Mu2e.yaml
+++ b/projects/BU_Mu2e.yaml
@@ -1,4 +1,5 @@
-Description: Mu2e is a muon-to-electron-conversion particle physics experiment at Fermilab
+Description: Mu2e is a muon-to-electron-conversion particle physics experiment at
+ Fermilab
Department: Physics
FieldOfScience: Physics
Organization: Boston University
@@ -9,3 +10,4 @@ ID: '825'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/BYUI_Becerril.yaml b/projects/BYUI_Becerril.yaml
index 975a7b85f..4791789e0 100644
--- a/projects/BYUI_Becerril.yaml
+++ b/projects/BYUI_Becerril.yaml
@@ -1,4 +1,5 @@
-Description: Training undergraduate students in scientific computing through teaching elective courses
+Description: Training undergraduate students in scientific computing through teaching
+ elective courses
Department: Chemistry Department
FieldOfScience: Chemistry
Organization: Brigham Young University Idaho
@@ -7,3 +8,4 @@ PIName: Héctor A. Becerril
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/BakerLab.yaml b/projects/BakerLab.yaml
index ed0ab2a9a..acf768502 100644
--- a/projects/BakerLab.yaml
+++ b/projects/BakerLab.yaml
@@ -7,3 +7,4 @@ PIName: David Baker
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '26'
diff --git a/projects/BaylorCM_Hirschi.yaml b/projects/BaylorCM_Hirschi.yaml
index a7d421356..302651c2c 100644
--- a/projects/BaylorCM_Hirschi.yaml
+++ b/projects/BaylorCM_Hirschi.yaml
@@ -9,3 +9,4 @@ ID: '726'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/BetaDecay.yaml b/projects/BetaDecay.yaml
index dfeddad53..d4a70f975 100644
--- a/projects/BetaDecay.yaml
+++ b/projects/BetaDecay.yaml
@@ -7,3 +7,4 @@ PIName: Liang Yang
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/BioAlgorithms.yaml b/projects/BioAlgorithms.yaml
index 607c01659..c78cc1879 100644
--- a/projects/BioAlgorithms.yaml
+++ b/projects/BioAlgorithms.yaml
@@ -7,3 +7,4 @@ PIName: Natasha Pavlovikj
Sponsor:
VirtualOrganization:
Name: HCC
+FieldOfScienceID: '26.1103'
diff --git a/projects/BioGraph.yaml b/projects/BioGraph.yaml
index 24861d0f1..e0d5cb375 100644
--- a/projects/BioGraph.yaml
+++ b/projects/BioGraph.yaml
@@ -7,3 +7,4 @@ PIName: Alex Feltus
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/BioMolMach.yaml b/projects/BioMolMach.yaml
index ff71089bc..5c75c8579 100644
--- a/projects/BioMolMach.yaml
+++ b/projects/BioMolMach.yaml
@@ -1,14 +1,13 @@
Department: Biology
-Description: 'The molecular machines associated with biological membranes are particularly
+Description: "The molecular machines associated with biological membranes are particularly
remarkable. Membrane-associated proteins play an essential role in controlling the
bidirectional flow of material and information, and as such, they are truly devices
able to accomplish complex tasks. These include ion channels, transporters, pumps,
- receptors, kinases, and phosphatases.
-
- These proteins, like any machine, need to change shape and visit many conformational
- states to perform their function. Our project is aimed at gaining a deep mechanistic
- perspective of such protein function, linking structure to dynamics, by characterizing
- the free energy landscape that governs the key functional motions.'
+ receptors, kinases, and phosphatases.\nThese proteins, like any machine, need to
+ change shape and visit many conformational states to perform their function. Our
+ project is aimed at gaining a deep mechanistic perspective of such protein function,
+ linking structure to dynamics, by characterizing the free energy landscape that
+ governs the key functional motions."
FieldOfScience: Molecular and Structural Biosciences
ID: '103'
Organization: University of Chicago
@@ -16,3 +15,4 @@ PIName: Benoit Roux
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/BioStat.yaml b/projects/BioStat.yaml
index bcd7209b5..b40d8d54f 100644
--- a/projects/BioStat.yaml
+++ b/projects/BioStat.yaml
@@ -8,3 +8,4 @@ PIName: Janice McCarthy
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/Bioconductor.yaml b/projects/Bioconductor.yaml
index 81050cf5f..aa391f2ed 100644
--- a/projects/Bioconductor.yaml
+++ b/projects/Bioconductor.yaml
@@ -8,3 +8,4 @@ PIName: Martin Morgan
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/BiomedInfo.yaml b/projects/BiomedInfo.yaml
index e6147b989..d6861e516 100644
--- a/projects/BiomedInfo.yaml
+++ b/projects/BiomedInfo.yaml
@@ -8,3 +8,4 @@ PIName: Erik Wright
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/Biomim.yaml b/projects/Biomim.yaml
index 6fc9e03db..5543f50c2 100644
--- a/projects/Biomim.yaml
+++ b/projects/Biomim.yaml
@@ -10,3 +10,4 @@ PIName: Puja Goyal
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/BiostatsChapple.yaml b/projects/BiostatsChapple.yaml
index d142ba9fe..082f1d4c8 100644
--- a/projects/BiostatsChapple.yaml
+++ b/projects/BiostatsChapple.yaml
@@ -9,3 +9,4 @@ ID: '532'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27.05'
diff --git a/projects/BrighamAndWomens_Baratono.yaml b/projects/BrighamAndWomens_Baratono.yaml
index c52d5c1b0..30e133151 100644
--- a/projects/BrighamAndWomens_Baratono.yaml
+++ b/projects/BrighamAndWomens_Baratono.yaml
@@ -1,5 +1,7 @@
-Description: Studying how atrophy and connectivity to atrophy impacts cognitive and psychological outcomes in patients with a variety of neurodegenerative disorders
+Description: Studying how atrophy and connectivity to atrophy impacts cognitive and
+ psychological outcomes in patients with a variety of neurodegenerative disorders
Department: Neurology
FieldOfScience: Biological and Biomedical Sciences
Organization: Brigham and Women's Hospital
PIName: Sheena R Baratono
+FieldOfScienceID: '26.1504'
diff --git a/projects/Bucknell_IT.yaml b/projects/Bucknell_IT.yaml
index 4a9872252..2faa968cb 100644
--- a/projects/Bucknell_IT.yaml
+++ b/projects/Bucknell_IT.yaml
@@ -9,3 +9,4 @@ ID: '695'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 11.0701a
diff --git a/projects/CGS.yaml b/projects/CGS.yaml
index 64a669874..e6e03d005 100644
--- a/projects/CGS.yaml
+++ b/projects/CGS.yaml
@@ -1,11 +1,11 @@
Department: Mechanical Engineering
-Description: "Project Name: grian growth simulation \nShort Project Name: GGS \nField\
- \ of Science: Materials Science \nField of Science (if Other): \nPI Name: Panthea\
- \ Sepehrband \nPI Email: psepehrband@scu.edu \nPI Organization: Santa Clara Univeristy\
- \ \nPI Department: Mechanical Engineering \nJoin Date: \nSponsor: \nOSG Sponsor\
- \ Contact: \nProject Contact: Panthea Sepehrband \nProject Contact Email: psepehrband@scu.edu\
- \ \nTelephone Number: 4088338665 \nProject Description: Simulation of grain growth\
- \ using the LAMMPS package."
+Description: "Project Name: grian growth simulation \nShort Project Name: GGS \nField
+ of Science: Materials Science \nField of Science (if Other): \nPI Name: Panthea
+ Sepehrband \nPI Email: psepehrband@scu.edu \nPI Organization: Santa Clara Univeristy
+ \nPI Department: Mechanical Engineering \nJoin Date: \nSponsor: \nOSG Sponsor Contact:
+ \nProject Contact: Panthea Sepehrband \nProject Contact Email: psepehrband@scu.edu
+ \nTelephone Number: 4088338665 \nProject Description: Simulation of grain growth
+ using the LAMMPS package."
FieldOfScience: Materials Science
ID: '299'
Organization: Santa Clara University
@@ -13,3 +13,4 @@ PIName: Panthea Sepehrband
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.1001'
diff --git a/projects/CHTC-Staff.yaml b/projects/CHTC-Staff.yaml
index 46eac8061..301cba91a 100644
--- a/projects/CHTC-Staff.yaml
+++ b/projects/CHTC-Staff.yaml
@@ -11,19 +11,20 @@ Sponsor:
Name: OSG Connect
ResourceAllocations:
- - Type: Other
- SubmitResources:
- - CHTC-ITB-submittest0000
- ExecuteResourceGroups:
- - GroupName: CHTC-ITB
- LocalAllocationID: "glow"
+- Type: Other
+ SubmitResources:
+ - CHTC-ITB-submittest0000
+ ExecuteResourceGroups:
+ - GroupName: CHTC-ITB
+ LocalAllocationID: glow
- - Type: XRAC
- SubmitResources:
- - CHTC-XD-SUBMIT
- - UChicago_OSGConnect_login04
- - UChicago_OSGConnect_login05
- ExecuteResourceGroups:
+- Type: XRAC
+ SubmitResources:
+ - CHTC-XD-SUBMIT
+ - UChicago_OSGConnect_login04
+ - UChicago_OSGConnect_login05
+ ExecuteResourceGroups:
# OSG allocation
- - GroupName: TACC-Stampede2
- LocalAllocationID: "TG-DDM160003"
+ - GroupName: TACC-Stampede2
+ LocalAllocationID: TG-DDM160003
+FieldOfScienceID: 11.0701a
diff --git a/projects/CHomP.yaml b/projects/CHomP.yaml
index 547058611..18b9f4d48 100644
--- a/projects/CHomP.yaml
+++ b/projects/CHomP.yaml
@@ -9,3 +9,4 @@ PIName: Konstantin Mischaikow
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27'
diff --git a/projects/CLAS12.yaml b/projects/CLAS12.yaml
index 9130818b2..7347b3baf 100644
--- a/projects/CLAS12.yaml
+++ b/projects/CLAS12.yaml
@@ -8,3 +8,4 @@ Sponsor:
VirtualOrganization:
ID: '99'
Name: JLab
+FieldOfScienceID: '40.0806'
diff --git a/projects/CMU_Isayev.yaml b/projects/CMU_Isayev.yaml
index ddce4431c..7ef62ba17 100644
--- a/projects/CMU_Isayev.yaml
+++ b/projects/CMU_Isayev.yaml
@@ -6,3 +6,4 @@ Organization: Carnegie-Mellon University
PIName: Olexandr Isayev
+FieldOfScienceID: '40.05'
diff --git a/projects/CMU_Romagnoli.yaml b/projects/CMU_Romagnoli.yaml
index 58e478e8f..cde180237 100644
--- a/projects/CMU_Romagnoli.yaml
+++ b/projects/CMU_Romagnoli.yaml
@@ -1,5 +1,6 @@
Department: Electrical and computer engineering
-Description: Deep Reinforcement Learning (RL) for Secure Control of UAVs via Software Rejuvenation
+Description: Deep Reinforcement Learning (RL) for Secure Control of UAVs via Software
+ Rejuvenation
FieldOfScience: Electrical Engineering
Organization: Carnegie-Mellon University
PIName: Raffaele Romagnoli
@@ -7,3 +8,4 @@ PIName: Raffaele Romagnoli
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14'
diff --git a/projects/CMU_Viswanathan.yaml b/projects/CMU_Viswanathan.yaml
index f32a65418..9232be836 100644
--- a/projects/CMU_Viswanathan.yaml
+++ b/projects/CMU_Viswanathan.yaml
@@ -1,5 +1,6 @@
Department: Department of Mechanical Engineering
-Description: Physics-informed machine learning algorithms to facilitate improved prediction of battery performance
+Description: Physics-informed machine learning algorithms to facilitate improved prediction
+ of battery performance
FieldOfScience: Mechanical Engineering
Organization: Carnegie-Mellon University
PIName: Venkat Viswanathan
@@ -7,3 +8,4 @@ PIName: Venkat Viswanathan
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.19'
diff --git a/projects/CNU_Henry.yaml b/projects/CNU_Henry.yaml
index 210e60449..44f42fbe0 100644
--- a/projects/CNU_Henry.yaml
+++ b/projects/CNU_Henry.yaml
@@ -1,7 +1,8 @@
Department: Department of Physics, Computer Science, and Engineering
Description: >
- Research related to biomedical and clinical natural language processing, including information retrieval,
- information extraction, summarization, and question answering.
+ Research related to biomedical and clinical natural language processing, including
+ information retrieval, information extraction, summarization, and question answering.
FieldOfScience: Computer and Information Sciences
Organization: Christopher Newport University
PIName: Samuel Henry
+FieldOfScienceID: 30.7099b
diff --git a/projects/COVID19_FoldingAtHome.yaml b/projects/COVID19_FoldingAtHome.yaml
index 02c18a60e..cbac71c54 100644
--- a/projects/COVID19_FoldingAtHome.yaml
+++ b/projects/COVID19_FoldingAtHome.yaml
@@ -1,6 +1,5 @@
Department: Biochemistry
-Description: "Folding at Home for COVID-19, on the Open Science Grid
-https://foldingathome.org/covid19/"
+Description: Folding at Home for COVID-19, on the Open Science Grid https://foldingathome.org/covid19/
FieldOfScience: Biochemistry
ID: '661'
Organization: Folding@Home Consortium (FAHC)
@@ -8,3 +7,4 @@ PIName: Greg Bowman
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.0202'
diff --git a/projects/COVID19_Harvard_Bitran.yaml b/projects/COVID19_Harvard_Bitran.yaml
index d2c8dc03f..2c0b97080 100644
--- a/projects/COVID19_Harvard_Bitran.yaml
+++ b/projects/COVID19_Harvard_Bitran.yaml
@@ -1,28 +1,24 @@
-Description: "Designing Inhibitors of SARS-CoV 2 Spike Protein Folding
-
-The receptor binding domain (RBD) of the SARS-CoV 2 Spike (S) protein
- plays a crucial role in enabling the virus to enter host cells, and
- represents a promising target for antiviral drugs. A common therapeutic
- strategy involves deploying small molecules to inhibit the protein-protein
- interaction (PPI) between the RBD and the human angiotensin-converting
- enzyme 2 (ACE2) to which it binds. But unfortunately, it is difficult to
- inhibit such PPIs using small molecules due to the large interaction
- surface area involved. To overcome this difficulty, we propose to develop
- a novel antiviral strategy whereby small molecules will be used to
- specifically bind and stabilize intermediates in the RBD folding pathway,
- thus inhibiting the domain’s folding and promoting the S protein’s
- degradation. Using folding simulations, we plan to map the RBD’s folding
- pathway in atomistic detail and identify long-lived intermediates with
- well-defined binding pockets. We will then identify existing, as well as
- newly-designed small molecules that bind these cavities with high
- affinity, but do not bind the native state. The resulting hits will then
- be experimentally screened for their ability to inhibit RBD folding and
- their antiviral activity. If successful, this approach will yield a novel
- therapeutic strategy against SARS-CoV 2 that overcomes difficulties
- associated with most RBD inhibitors. Furthermore, we expect it will be
- difficult for SARS-CoV 2 to acquire resistance to these folding
- inhibitors, owing to severe fitness costs associated with mutating
- residues that are surface-exposed in folding intermediates."
+Description: "Designing Inhibitors of SARS-CoV 2 Spike Protein Folding\nThe receptor
+ binding domain (RBD) of the SARS-CoV 2 Spike (S) protein plays a crucial role in
+ enabling the virus to enter host cells, and represents a promising target for antiviral
+ drugs. A common therapeutic strategy involves deploying small molecules to inhibit
+ the protein-protein interaction (PPI) between the RBD and the human angiotensin-converting
+ enzyme 2 (ACE2) to which it binds. But unfortunately, it is difficult to inhibit
+ such PPIs using small molecules due to the large interaction surface area involved.
+ To overcome this difficulty, we propose to develop a novel antiviral strategy whereby
+ small molecules will be used to specifically bind and stabilize intermediates in
+ the RBD folding pathway, thus inhibiting the domain’s folding and promoting the
+ S protein’s degradation. Using folding simulations, we plan to map the RBD’s folding
+ pathway in atomistic detail and identify long-lived intermediates with well-defined
+ binding pockets. We will then identify existing, as well as newly-designed small
+ molecules that bind these cavities with high affinity, but do not bind the native
+ state. The resulting hits will then be experimentally screened for their ability
+ to inhibit RBD folding and their antiviral activity. If successful, this approach
+ will yield a novel therapeutic strategy against SARS-CoV 2 that overcomes difficulties
+ associated with most RBD inhibitors. Furthermore, we expect it will be difficult
+ for SARS-CoV 2 to acquire resistance to these folding inhibitors, owing to severe
+ fitness costs associated with mutating residues that are surface-exposed in folding
+ intermediates."
Department: Chemistry and Chemical Biology
FieldOfScience: Chemistry
Organization: Harvard University
@@ -33,3 +29,4 @@ ID: 687
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/COVID19_Illinois_Gammie.yaml b/projects/COVID19_Illinois_Gammie.yaml
index 9394446c2..7e5b52e70 100644
--- a/projects/COVID19_Illinois_Gammie.yaml
+++ b/projects/COVID19_Illinois_Gammie.yaml
@@ -1,13 +1,12 @@
-Description: "The goal of this project is to predict and assess the effect of
- epidemic intervention strategies for the State of Illinois. Our effort
- includes a group of covid-19 modelers at the University of Illinois at
- Urbana-Champaign that includes faculty members Charles Gammie, Nigel
- Goldenfeld, and Sergei Maslin and graduate students George Wong and
- Zach Weiner. We are one of the groups providing advice to the office
- of Governor Pritzker and to our local public health district."
+Description: The goal of this project is to predict and assess the effect of epidemic
+ intervention strategies for the State of Illinois. Our effort includes a group of
+ covid-19 modelers at the University of Illinois at Urbana-Champaign that includes
+ faculty members Charles Gammie, Nigel Goldenfeld, and Sergei Maslin and graduate
+ students George Wong and Zach Weiner. We are one of the groups providing advice
+ to the office of Governor Pritzker and to our local public health district.
Department: Physics
FieldOfScience: Health
-Organization: University of Illinois Urbana-Champaign
+Organization: University of Illinois Urbana-Champaign
PIName: Charles Gammie
ID: '659'
@@ -16,3 +15,4 @@ Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '51'
diff --git a/projects/COVID19_JHU_Howard.yaml b/projects/COVID19_JHU_Howard.yaml
index ace700ce0..3c4b4efdd 100644
--- a/projects/COVID19_JHU_Howard.yaml
+++ b/projects/COVID19_JHU_Howard.yaml
@@ -1,16 +1,13 @@
Department: Mathematics
-Description: One of the biggest challenges facing the US healthcare
- system in caring for patients with COVID-19 is the limited number
- of ICU beds and ventilators available, in addition to concerns
- regarding staffing levels. Hospital cooperation can allow for
- patient transfers increasing the efficiency of the overall system
- and the number of patients who can receive treatment. We use data
- from COVID-19 in Maryland to formulate a mathematical model which
- can determine which hospitals are the best candidates for the
- patient transfer, accounting for the current and expected resource
- usage in all hospitals. The advantages of the mathematical model
- are demonstrated with simulation of the spread of COVID-19 in
- Maryland.
+Description: One of the biggest challenges facing the US healthcare system in caring
+ for patients with COVID-19 is the limited number of ICU beds and ventilators available,
+ in addition to concerns regarding staffing levels. Hospital cooperation can allow
+ for patient transfers increasing the efficiency of the overall system and the number
+ of patients who can receive treatment. We use data from COVID-19 in Maryland to
+ formulate a mathematical model which can determine which hospitals are the best
+ candidates for the patient transfer, accounting for the current and expected resource
+ usage in all hospitals. The advantages of the mathematical model are demonstrated
+ with simulation of the spread of COVID-19 in Maryland.
FieldOfScience: Mathematical Sciences
ID: '743'
Organization: Johns Hopkins University
@@ -18,3 +15,4 @@ PIName: James P. Howard, II
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27'
diff --git a/projects/COVID19_LSUHSC_Chapple.yaml b/projects/COVID19_LSUHSC_Chapple.yaml
index f2767f506..412d2f770 100644
--- a/projects/COVID19_LSUHSC_Chapple.yaml
+++ b/projects/COVID19_LSUHSC_Chapple.yaml
@@ -1,20 +1,20 @@
-Description: "Most Bayesian methods require Markov Chain Monte Carlo sampling (MCMC)
- to obtain posterior distributions, which can be used for statistical inference
- - and decision making during adaptive clinical trial designs. To justify any novel
- statistical method or adaptive design, extensive simulation studies must be
- conducted to demonstrate their effectiveness. Dr. Chapple recently used OSG to
- successfully revise a novel statistical method for survival analysis relevant to COVID-19.
- Such simulations, particularly for Bayesian adaptive clinical trials,
- can take a tremendous amount of time to run 1,000 or more simulations for a given
- scenario, and usually hundreds of scenarios are warranted to convince others of the
- trial’s benefit. Dr. Chapple has used 435 thousand core hours to develop clinical
- trial designs for testing safety of new agents in pediatric brain tumors, testing
- multiple COVID-19 therapies simultaneously, and determining optimal treatments
- based on patient subgroups. Without OSG, it would not have been possible to start
- enrolling patients in a 3-treatment armed COVID-19 trial at University Medical
- Center in New Orleans, LA. Based upon that success, Chapple will also demonstrate
- the same approach for 5 treatment arms, and also for subgroups (based on
- comorbidities, age, etc), and publish the trial design in a statistical journal."
+Description: Most Bayesian methods require Markov Chain Monte Carlo sampling (MCMC)
+ to obtain posterior distributions, which can be used for statistical inference
+ - and decision making during adaptive clinical trial designs. To justify any novel
+ statistical method or adaptive design, extensive simulation studies must be conducted
+ to demonstrate their effectiveness. Dr. Chapple recently used OSG to successfully
+ revise a novel statistical method for survival analysis relevant to COVID-19. Such
+ simulations, particularly for Bayesian adaptive clinical trials, can take a tremendous
+ amount of time to run 1,000 or more simulations for a given scenario, and usually
+ hundreds of scenarios are warranted to convince others of the trial’s benefit. Dr.
+ Chapple has used 435 thousand core hours to develop clinical trial designs for testing
+ safety of new agents in pediatric brain tumors, testing multiple COVID-19 therapies
+ simultaneously, and determining optimal treatments based on patient subgroups. Without
+ OSG, it would not have been possible to start enrolling patients in a 3-treatment
+ armed COVID-19 trial at University Medical Center in New Orleans, LA. Based upon
+ that success, Chapple will also demonstrate the same approach for 5 treatment arms,
+ and also for subgroups (based on comorbidities, age, etc), and publish the trial
+ design in a statistical journal.
Department: Biostatistics
FieldOfScience: Health
Organization: LSU School of Public Health
@@ -25,3 +25,4 @@ ID: '671'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '51'
diff --git a/projects/COVID19_RepertoireTCell.yaml b/projects/COVID19_RepertoireTCell.yaml
index 89222a563..958e4bfdc 100644
--- a/projects/COVID19_RepertoireTCell.yaml
+++ b/projects/COVID19_RepertoireTCell.yaml
@@ -1,21 +1,18 @@
-Description: "Predicting Long-Term T Cell Responses to SARS-CoV-2 via Molecular Modeling and Machine Learning
-https://covid19-hpc-consortium.org/projects/5ebf07523e6ec40081202fac
-
-The dynamics of COVID-19 infection remain poorly understood, and it is unknown
- whether patients acquire prolonged immunity to the virus following initial
- infection. Most current vaccine efforts mainly promote B cell production of
- neutralizing antibodies. While often critical for virus neutralization and
- disease control, research from the 2002-2003 SARS-CoV epidemic suggests that
- B cells and serum antibodies involved in the initial immune response are
- likely to be short-lived. However, many patients with undetectable antibody
- levels retained immune protection by virtue of long-lived T cells, and
- correlation of T cell recovery with convalescence in COVID-19 strongly
- suggests that T cells are critical for virus control. By computationally
- simulating hundreds of thousands of interactions between T cells and
- COVID-19-infected cells, we aim to characterize the biochemical features of
- T cells responsible for long-term COVID-19 immunity and identify a small
- number of viral molecules that have the highest likelihood of
- inducing long-term immunity when delivered through vaccines."
+Description: "Predicting Long-Term T Cell Responses to SARS-CoV-2 via Molecular Modeling
+ and Machine Learning https://covid19-hpc-consortium.org/projects/5ebf07523e6ec40081202fac\n
+ The dynamics of COVID-19 infection remain poorly understood, and it is unknown whether
+ patients acquire prolonged immunity to the virus following initial infection. Most
+ current vaccine efforts mainly promote B cell production of neutralizing antibodies.
+ While often critical for virus neutralization and disease control, research from
+ the 2002-2003 SARS-CoV epidemic suggests that B cells and serum antibodies involved
+ in the initial immune response are likely to be short-lived. However, many patients
+ with undetectable antibody levels retained immune protection by virtue of long-lived
+ T cells, and correlation of T cell recovery with convalescence in COVID-19 strongly
+ suggests that T cells are critical for virus control. By computationally simulating
+ hundreds of thousands of interactions between T cells and COVID-19-infected cells,
+ we aim to characterize the biochemical features of T cells responsible for long-term
+ COVID-19 immunity and identify a small number of viral molecules that have the highest
+ likelihood of inducing long-term immunity when delivered through vaccines."
Department: Computational Sciences
FieldOfScience: Biological and Biomedical Sciences
Organization: Repertoire Immune Medicines
@@ -26,3 +23,4 @@ ID: 677
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/COVID19_Stanford_Das.yaml b/projects/COVID19_Stanford_Das.yaml
index bc0752448..0c12262b2 100644
--- a/projects/COVID19_Stanford_Das.yaml
+++ b/projects/COVID19_Stanford_Das.yaml
@@ -1,7 +1,7 @@
-Description: "RNA tertiary structure of COVID-19 UTRs as therapeutic
- and vaccine targets: https://daslab.stanford.edu/news"
+Description: 'RNA tertiary structure of COVID-19 UTRs as therapeutic and vaccine targets:
+ https://daslab.stanford.edu/news'
Department: Biochemistry
-FieldOfScience: Biological and Biomedical Sciences
+FieldOfScience: Biological and Biomedical Sciences
Organization: Stanford University
PIName: Rhiju Das
@@ -10,3 +10,4 @@ ID: '660'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/COVID19_UCSD_Hsiao.yaml b/projects/COVID19_UCSD_Hsiao.yaml
index 931b2fd02..91d2fc4cd 100644
--- a/projects/COVID19_UCSD_Hsiao.yaml
+++ b/projects/COVID19_UCSD_Hsiao.yaml
@@ -1,6 +1,5 @@
-Description: "Develop AI algorithm to diagnose CT scans of
- pneumonia patients for COVID-19:
-https://www.kpbs.org/news/2020/apr/07/ucsd-using-ai-identify-pneumonia-coronavirus/"
+Description: 'Develop AI algorithm to diagnose CT scans of pneumonia patients for
+ COVID-19: https://www.kpbs.org/news/2020/apr/07/ucsd-using-ai-identify-pneumonia-coronavirus/'
Department: Radiology
FieldOfScience: Radiological Science
Organization: University of California, San Diego
@@ -11,3 +10,4 @@ ID: '669'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '51'
diff --git a/projects/COVID19_UNL_Weitzel.yaml b/projects/COVID19_UNL_Weitzel.yaml
index 7eb3fe603..7d9c55c21 100644
--- a/projects/COVID19_UNL_Weitzel.yaml
+++ b/projects/COVID19_UNL_Weitzel.yaml
@@ -7,3 +7,4 @@ PIName: Derek Weitzel
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/COVID19_WeNMR.yaml b/projects/COVID19_WeNMR.yaml
index 62776e743..0139e0c4e 100644
--- a/projects/COVID19_WeNMR.yaml
+++ b/projects/COVID19_WeNMR.yaml
@@ -1,12 +1,9 @@
-Description: "COVID-19 research through the WeNMR portal, HADDOCK
-(https://www.eosc-hub.eu/news/haddock-support-covid-19-research)
-
-WeNMR is a Virtual Research Community supported by EGI. WeNMR aims at
-bringing together complementary research teams in the structural
-biology and life science area into a virtual research community at a
-worldwide level and provide them with a platform integrating and
-streamlining the computational approaches necessary for data analysis
-and modelling."
+Description: "COVID-19 research through the WeNMR portal, HADDOCK (https://www.eosc-hub.eu/news/haddock-support-covid-19-research)\n
+ WeNMR is a Virtual Research Community supported by EGI. WeNMR aims at bringing together
+ complementary research teams in the structural biology and life science area into
+ a virtual research community at a worldwide level and provide them with a platform
+ integrating and streamlining the computational approaches necessary for data analysis
+ and modelling."
Department: N/A
FieldOfScience: Biological Sciences
Organization: Utrecht University
@@ -15,5 +12,6 @@ PIName: Alexandre Bonvin
ID: 660
Sponsor:
- VirtualOrganization:
- Name: ENMR
+ VirtualOrganization:
+ Name: ENMR
+FieldOfScienceID: '26'
diff --git a/projects/CPSC_5520.yaml b/projects/CPSC_5520.yaml
index 759c00bb3..f7dda4d3a 100644
--- a/projects/CPSC_5520.yaml
+++ b/projects/CPSC_5520.yaml
@@ -1,7 +1,9 @@
Description: >
- Teaching a distributed systems course. Assignments will be at-scale applications including
- a parallel video rendering pipeline, a genome analysis application, and a text analysis workflow
-Department: Computer Science
+ Teaching a distributed systems course. Assignments will be at-scale applications
+ including a parallel video rendering pipeline, a genome analysis application, and
+ a text analysis workflow
+Department: Computer Science
FieldOfScience: Computer and Information Science
Organization: Seattle University
PIName: Nate Kremer-Herman
+FieldOfScienceID: 11.0701b
diff --git a/projects/CSM_BeEST.yaml b/projects/CSM_BeEST.yaml
index 7cd7579e8..b95650973 100644
--- a/projects/CSM_BeEST.yaml
+++ b/projects/CSM_BeEST.yaml
@@ -1,14 +1,14 @@
Department: Physics
-Description: The Beryllium Electron capture in Superconducting Tunnel
- junctions Experiment (BEeST) employs the decay–momentum reconstruction
- technique to precisely measure the 7Be 7Li recoil energy spectrum in
- superconducting tunnel junctions (STJs). This approach is a powerful,
- model-independent method in the search for beyond SM scenarios since
- it relies only on the existence of a heavy neutrino admixture to the
- active neutrinos.
+Description: The Beryllium Electron capture in Superconducting Tunnel junctions Experiment
+ (BEeST) employs the decay–momentum reconstruction technique to precisely measure
+ the 7Be 7Li recoil energy spectrum in superconducting tunnel junctions (STJs). This
+ approach is a powerful, model-independent method in the search for beyond SM scenarios
+ since it relies only on the existence of a heavy neutrino admixture to the active
+ neutrinos.
FieldOfScience: Physics
Organization: Colorado School of Mines
PIName: Kyle Leach
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/CSUN_Jiang.yaml b/projects/CSUN_Jiang.yaml
index b32d7f39b..8cb639962 100644
--- a/projects/CSUN_Jiang.yaml
+++ b/projects/CSUN_Jiang.yaml
@@ -1,9 +1,11 @@
Description: >
- Wildfire Prediction for California using various remote sensing data from the past decades.
- This is a computation intensive research project that involves applying machine learning models for data analysis and prediction,
- and also computation-intensive work for data visualization.
- This project will involve collaborations from both internal and external students at California State University, Northridge.
-Department: Computer Science
+ Wildfire Prediction for California using various remote sensing data from the past
+ decades. This is a computation intensive research project that involves applying
+ machine learning models for data analysis and prediction, and also computation-intensive
+ work for data visualization. This project will involve collaborations from both
+ internal and external students at California State University, Northridge.
+Department: Computer Science
FieldOfScience: Computer and Information Sciences
Organization: California State University, Northridge
PIName: Xunfei Jiang
+FieldOfScienceID: '11'
diff --git a/projects/CSUN_Katz.yaml b/projects/CSUN_Katz.yaml
index 52c3d37ea..a122c32bc 100644
--- a/projects/CSUN_Katz.yaml
+++ b/projects/CSUN_Katz.yaml
@@ -4,3 +4,4 @@ Description: Large scale searches for binary sequences with identical autocorrel
FieldOfScience: Mathematics
Organization: California State University, Northridge
PIName: Daniel Katz
+FieldOfScienceID: '27.01'
diff --git a/projects/CSUSB_ITS.yaml b/projects/CSUSB_ITS.yaml
index a749e5413..4c24d8e0c 100644
--- a/projects/CSUSB_ITS.yaml
+++ b/projects/CSUSB_ITS.yaml
@@ -9,3 +9,4 @@ ID: '799'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 11.0701a
diff --git a/projects/CSU_Buchanan.yaml b/projects/CSU_Buchanan.yaml
index 2e321d038..4c784cc55 100644
--- a/projects/CSU_Buchanan.yaml
+++ b/projects/CSU_Buchanan.yaml
@@ -3,3 +3,4 @@ Department: Physics
FieldOfScience: Physics
Organization: Colorado State University
PIName: Kristen Buchanan
+FieldOfScienceID: '40.08'
diff --git a/projects/CUAnschutz_JuarezColunga.yaml b/projects/CUAnschutz_JuarezColunga.yaml
index aee0612c6..79ddd7a4e 100644
--- a/projects/CUAnschutz_JuarezColunga.yaml
+++ b/projects/CUAnschutz_JuarezColunga.yaml
@@ -1,4 +1,5 @@
-Description: 'Comparison of Random Survival Forests and Joint Modelling for a Time to Event Outcome: a Simulation Study.'
+Description: 'Comparison of Random Survival Forests and Joint Modelling for a Time
+ to Event Outcome: a Simulation Study.'
Department: Biostatistics and Informatics
FieldOfScience: Biostatistics
Organization: University of Colorado Anschutz Medical Campus
@@ -9,3 +10,4 @@ ID: '597'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1102'
diff --git a/projects/CUBoulder_Aydin.yaml b/projects/CUBoulder_Aydin.yaml
index 3d58c2d6d..ad25fd1be 100644
--- a/projects/CUBoulder_Aydin.yaml
+++ b/projects/CUBoulder_Aydin.yaml
@@ -9,3 +9,4 @@ ID: '757'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/CUNYBrooklyn_Juszczak.yaml b/projects/CUNYBrooklyn_Juszczak.yaml
index 67e26b965..83cf69268 100644
--- a/projects/CUNYBrooklyn_Juszczak.yaml
+++ b/projects/CUNYBrooklyn_Juszczak.yaml
@@ -1,5 +1,6 @@
Department: Chemistry
-Description: Mapping molecular level electron density in cation-aromatic pi electron interactions
+Description: Mapping molecular level electron density in cation-aromatic pi electron
+ interactions
FieldOfScience: Chemistry
ID: '719'
Organization: CUNY Brooklyn College
@@ -7,3 +8,4 @@ PIName: Laura Juszczak
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/Caltech_Bouma.yaml b/projects/Caltech_Bouma.yaml
index 0d7918d09..70107ea60 100644
--- a/projects/Caltech_Bouma.yaml
+++ b/projects/Caltech_Bouma.yaml
@@ -3,3 +3,4 @@ Department: Division of Physics, Mathematics and Astronomy
FieldOfScience: Astrophysics
Organization: California Institute of Technology
PIName: Luke Bouma
+FieldOfScienceID: '40.0202'
diff --git a/projects/Caltech_Chary.yaml b/projects/Caltech_Chary.yaml
index 2f06d5bec..d58546f41 100644
--- a/projects/Caltech_Chary.yaml
+++ b/projects/Caltech_Chary.yaml
@@ -1,5 +1,7 @@
Name: Caltech_Chary
-Description: Joint Survey Processing (JSP) is aimed at enabling science that requires pixel-level combination of data from the Vera C. Rubin Observatory, The Euclid Space Telescope, and the Nancy Grace Roman Space Telescope.
+Description: Joint Survey Processing (JSP) is aimed at enabling science that requires
+ pixel-level combination of data from the Vera C. Rubin Observatory, The Euclid Space
+ Telescope, and the Nancy Grace Roman Space Telescope.
Department: IPAC
FieldOfScience: Astronomy and Astrophysics
Organization: California Institute of Technology
@@ -10,3 +12,4 @@ ID: '847'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0202'
diff --git a/projects/Caltech_Kanner.yaml b/projects/Caltech_Kanner.yaml
index ff9a375eb..96b426a14 100644
--- a/projects/Caltech_Kanner.yaml
+++ b/projects/Caltech_Kanner.yaml
@@ -1,4 +1,6 @@
-Description: I am interested in learning to use OSG resources for LIGO data analysis. I am especially interested in parameter estimation jobs using bilby or BayesWave. See https://gwosc.org for more information.
+Description: I am interested in learning to use OSG resources for LIGO data analysis.
+ I am especially interested in parameter estimation jobs using bilby or BayesWave.
+ See https://gwosc.org for more information.
Department: LIGO Laboratory
FieldOfScience: Physics
Organization: California Institute of Technology
@@ -7,3 +9,4 @@ PIName: Jonah Kanner
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/Caltech_Morrell.yaml b/projects/Caltech_Morrell.yaml
index cbbbede36..c2d82dd77 100644
--- a/projects/Caltech_Morrell.yaml
+++ b/projects/Caltech_Morrell.yaml
@@ -7,3 +7,4 @@ PIName: Tom Morrell
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/Caltech_Rusholme.yaml b/projects/Caltech_Rusholme.yaml
index 27ccefca7..312b40599 100644
--- a/projects/Caltech_Rusholme.yaml
+++ b/projects/Caltech_Rusholme.yaml
@@ -1,4 +1,5 @@
-Description: Joint Survey Processing (JSP) - Pixel-level combination of data from LSST, Euclid, and WFIRST
+Description: Joint Survey Processing (JSP) - Pixel-level combination of data from
+ LSST, Euclid, and WFIRST
Department: IPAC
FieldOfScience: Astronomy
Organization: California Institute of Technology
@@ -9,3 +10,4 @@ ID: '639'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.02'
diff --git a/projects/Caltech_Vallisneri.yaml b/projects/Caltech_Vallisneri.yaml
index 3ba2f2a88..2fca9252d 100644
--- a/projects/Caltech_Vallisneri.yaml
+++ b/projects/Caltech_Vallisneri.yaml
@@ -1,12 +1,14 @@
Description: >
- The NANOGrav collaboration is a cross-university, cross-discipline collection of astrophysicists,
- data analysts, and engineers who are currently working to detect a gravitational wave background
- via Pulsar Timing Arrays (PTAs). Our group's current projects are related to cross-validation and
- posterior predictive checking methods for parameter estimation and detection analyses for Bayesian
- PTA studies. Another project is related to increasing computational efficiency of PTA analyses by
- developing likelihood reweighting methods for PTAs. More information on NANOGrav can be
- found here: http://nanograv.org/
-Department: California Institute of Technology
+ The NANOGrav collaboration is a cross-university, cross-discipline collection of
+ astrophysicists, data analysts, and engineers who are currently working to detect
+ a gravitational wave background via Pulsar Timing Arrays (PTAs). Our group's current
+ projects are related to cross-validation and posterior predictive checking methods
+ for parameter estimation and detection analyses for Bayesian PTA studies. Another
+ project is related to increasing computational efficiency of PTA analyses by developing
+ likelihood reweighting methods for PTAs. More information on NANOGrav can be found
+ here: http://nanograv.org/
+Department: California Institute of Technology
FieldOfScience: Astronomy and Astrophysics
Organization: California Institute of Technology
PIName: Michele Vallisneri
+FieldOfScienceID: '40.0202'
diff --git a/projects/CampusWorkshop_Feb2021.yaml b/projects/CampusWorkshop_Feb2021.yaml
index 05f001d21..8641e1120 100644
--- a/projects/CampusWorkshop_Feb2021.yaml
+++ b/projects/CampusWorkshop_Feb2021.yaml
@@ -9,3 +9,4 @@ ID: '759'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30.3001'
diff --git a/projects/Canisius_Wood.yaml b/projects/Canisius_Wood.yaml
index 31df5292f..2cece201f 100644
--- a/projects/Canisius_Wood.yaml
+++ b/projects/Canisius_Wood.yaml
@@ -1,4 +1,5 @@
-Description: My research is to study the proton hadronization by mining the CLAS6 data from Jefferson Lab.
+Description: My research is to study the proton hadronization by mining the CLAS6
+ data from Jefferson Lab.
Department: Physics
FieldOfScience: Nuclear Physics
Organization: Canisius College
@@ -9,3 +10,4 @@ ID: '809'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0806'
diff --git a/projects/CaseWestern_Tolbert.yaml b/projects/CaseWestern_Tolbert.yaml
index d7fa4598c..5b7bf1b21 100644
--- a/projects/CaseWestern_Tolbert.yaml
+++ b/projects/CaseWestern_Tolbert.yaml
@@ -9,3 +9,4 @@ ID: '617'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.0207'
diff --git a/projects/CaseWestern_Zhang.yaml b/projects/CaseWestern_Zhang.yaml
index d8186b6c6..eeded4ec5 100644
--- a/projects/CaseWestern_Zhang.yaml
+++ b/projects/CaseWestern_Zhang.yaml
@@ -1,4 +1,5 @@
-Description: A project involving neuroimaging and genetics data for neurodegenerative disease.
+Description: A project involving neuroimaging and genetics data for neurodegenerative
+ disease.
Department: Dept. of Population & Quantitative Health Sciences (PQHS)
FieldOfScience: Biological and Biomedical Sciences
Organization: Case Western Reserve University
@@ -7,3 +8,4 @@ PIName: Lijun Zhang
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/CatalystDesign.yaml b/projects/CatalystDesign.yaml
index bdc8121ae..1b3ef369e 100644
--- a/projects/CatalystDesign.yaml
+++ b/projects/CatalystDesign.yaml
@@ -1,4 +1,5 @@
-Description: Catalyst design project with a heterogenous catalyst, looking for stable structures
+Description: Catalyst design project with a heterogenous catalyst, looking for stable
+ structures
Department: Chemistry and Chemical Engineering
FieldOfScience: Chemistry
Organization: University of New Haven
@@ -9,3 +10,4 @@ ID: '536'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/CatalystHTVS.yaml b/projects/CatalystHTVS.yaml
index 88a84d535..3ed53513d 100644
--- a/projects/CatalystHTVS.yaml
+++ b/projects/CatalystHTVS.yaml
@@ -1,8 +1,7 @@
-Description: Using high throughput computing to screen molecular
- catalysts for energy fuel conversion based on experimental database or in-silico
- generated structures. In the next stage, the output from HTC calculations will
- be used to train machine learning models to allow faster and higher throughput
- molecular catalyst design.
+Description: Using high throughput computing to screen molecular catalysts for energy
+ fuel conversion based on experimental database or in-silico generated structures.
+ In the next stage, the output from HTC calculations will be used to train machine
+ learning models to allow faster and higher throughput molecular catalyst design.
Department: Chemical Engineering
FieldOfScience: Physical Chemistry
Organization: Massachusetts Institute of Technology
@@ -14,3 +13,4 @@ Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0506'
diff --git a/projects/Cdms.yaml b/projects/Cdms.yaml
index a80e1fbc0..dc1336382 100644
--- a/projects/Cdms.yaml
+++ b/projects/Cdms.yaml
@@ -7,3 +7,4 @@ PIName: Joe Boyd
Sponsor:
VirtualOrganization:
Name: Fermilab
+FieldOfScienceID: '40.08'
diff --git a/projects/CedarsSinai_Meyer.yaml b/projects/CedarsSinai_Meyer.yaml
index ef3b3ae14..e030c4aaf 100644
--- a/projects/CedarsSinai_Meyer.yaml
+++ b/projects/CedarsSinai_Meyer.yaml
@@ -1,10 +1,14 @@
Description: >
- The Platform for Single-Cell Science is a tool for improving both the reproducibility and accessibility of analytical
- pipelines developed for single-cell multiomics. Researchers will be able to upload their data, create an analysis pipeline
- using our javascript designer, and link their results to a publication. The raw data, analysis, and results will be made
- available for interactive exploration or download when users are ready to publish. We are hoping to understand if there
- is a way we can use OSG by sending jobs that are prepared on our website hosted on AWS to the OSG for execution.
+ The Platform for Single-Cell Science is a tool for improving both the reproducibility
+ and accessibility of analytical pipelines developed for single-cell multiomics.
+ Researchers will be able to upload their data, create an analysis pipeline
+ using our javascript designer, and link their results to a publication. The raw
+ data, analysis, and results will be made available for interactive exploration
+ or download when users are ready to publish. We are hoping to understand if there is
+ a way we can use OSG by sending jobs that are prepared on our website hosted on
+ AWS to the OSG for execution.
Department: Computational Biomedicine
-FieldOfScience: Biological and Biomedical Sciences
+FieldOfScience: Biological and Biomedical Sciences
Organization: Cedars-Sinai Medical Center
PIName: Jesse Meyer
+FieldOfScienceID: '26.1103'
diff --git a/projects/CentaurSim.yaml b/projects/CentaurSim.yaml
index dbdc3d397..316b90d99 100644
--- a/projects/CentaurSim.yaml
+++ b/projects/CentaurSim.yaml
@@ -18,3 +18,4 @@ PIName: Nathan Kaib
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0202'
diff --git a/projects/Cincinnati_RCD.yaml b/projects/Cincinnati_RCD.yaml
index 48a5bf264..7c31dc056 100644
--- a/projects/Cincinnati_RCD.yaml
+++ b/projects/Cincinnati_RCD.yaml
@@ -1,4 +1,4 @@
-Description: Research Technologies staff at the University of Cincinnati
+Description: Research Technologies staff at the University of Cincinnati
Department: Advanced Research Computing Center
FieldOfScience: Computer Sciences
Organization: University of Cincinnati
@@ -9,3 +9,4 @@ ID: '824'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 11.0701a
diff --git a/projects/Clemson.yaml b/projects/Clemson.yaml
index d3c9458c6..b4144c460 100644
--- a/projects/Clemson.yaml
+++ b/projects/Clemson.yaml
@@ -7,3 +7,4 @@ PIName: Marcin Ziolkowski
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.9999'
diff --git a/projects/Clemson_Sarupria.yaml b/projects/Clemson_Sarupria.yaml
index 0b25f63a1..04eaf173e 100644
--- a/projects/Clemson_Sarupria.yaml
+++ b/projects/Clemson_Sarupria.yaml
@@ -9,3 +9,4 @@ ID: '653'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14'
diff --git a/projects/CloudTemplate.yaml b/projects/CloudTemplate.yaml
index e9e0cbefc..a24391d99 100644
--- a/projects/CloudTemplate.yaml
+++ b/projects/CloudTemplate.yaml
@@ -9,3 +9,4 @@ ID: '540'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/ClusterJob.yaml b/projects/ClusterJob.yaml
index 03514ed63..b12183f7b 100644
--- a/projects/ClusterJob.yaml
+++ b/projects/ClusterJob.yaml
@@ -8,3 +8,4 @@ PIName: Hatef Monajemi
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/Coe_Stobb.yaml b/projects/Coe_Stobb.yaml
index a936d2e3a..5b1b87546 100644
--- a/projects/Coe_Stobb.yaml
+++ b/projects/Coe_Stobb.yaml
@@ -1,4 +1,5 @@
-Description: Simulations modeling blood flow out of injury sites in the body using ODE and PDE techniques.
+Description: Simulations modeling blood flow out of injury sites in the body using
+ ODE and PDE techniques.
Department: Mathematical Sciences
FieldOfScience: Mathematics
Organization: Coe College
@@ -9,3 +10,4 @@ ID: '760'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27.01'
diff --git a/projects/Columbia_Alquraishi.yaml b/projects/Columbia_Alquraishi.yaml
index c3b193502..dc243a839 100644
--- a/projects/Columbia_Alquraishi.yaml
+++ b/projects/Columbia_Alquraishi.yaml
@@ -1,4 +1,5 @@
-Description: Building a model of protein sequence to structure relationships and using it to predict the DNA binding motifs of transcription factors based on their structure.
+Description: Building a model of protein sequence to structure relationships and using
+ it to predict the DNA binding motifs of transcription factors based on their structure.
Department: Department of Systems Biology
FieldOfScience: Biological Sciences
Organization: Columbia University
@@ -8,3 +9,4 @@ PIName: Mohammed Alquraishi
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/Columbia_Eaton.yaml b/projects/Columbia_Eaton.yaml
index ff1409511..d545ac995 100644
--- a/projects/Columbia_Eaton.yaml
+++ b/projects/Columbia_Eaton.yaml
@@ -1,4 +1,4 @@
-Description: Computation for Plant Phylogenomics
+Description: Computation for Plant Phylogenomics
Department: Ecology, Evolution, and Environmental Biology
FieldOfScience: Biological Sciences
Organization: Columbia University
@@ -9,3 +9,4 @@ ID: '696'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/Columbia_Gibson.yaml b/projects/Columbia_Gibson.yaml
index 9378019a6..022bc3b8b 100644
--- a/projects/Columbia_Gibson.yaml
+++ b/projects/Columbia_Gibson.yaml
@@ -9,3 +9,4 @@ ID: '812'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '51'
diff --git a/projects/Columbia_Jensen.yaml b/projects/Columbia_Jensen.yaml
index f338a4c2c..39a039504 100644
--- a/projects/Columbia_Jensen.yaml
+++ b/projects/Columbia_Jensen.yaml
@@ -9,3 +9,4 @@ ID: '783'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/Columbia_Mandal.yaml b/projects/Columbia_Mandal.yaml
index 31dd1b691..f29227f03 100644
--- a/projects/Columbia_Mandal.yaml
+++ b/projects/Columbia_Mandal.yaml
@@ -1,12 +1,9 @@
-Description: Recent experiments demonstrated that by placing a
- molecule inside an optical cavity one can modify ground state
- chemical reactivity. It has been observed that when molecular
- vibrations are strongly coupled to the quantized radiation
- field inside an optical cavity, the chemical kinetics is
- suppressed. The theoretical understanding of such remarkable
- effects remains elusive. In this work, a quantum dynamics
- approach for simulating the vibration-cavity
- (Vibro-Polaritons) hybrid system will be developed.
+Description: Recent experiments demonstrated that by placing a molecule inside an
+ optical cavity one can modify ground state chemical reactivity. It has been observed
+ that when molecular vibrations are strongly coupled to the quantized radiation field
+ inside an optical cavity, the chemical kinetics is suppressed. The theoretical understanding
+ of such remarkable effects remains elusive. In this work, a quantum dynamics approach
+ for simulating the vibration-cavity (Vibro-Polaritons) hybrid system will be developed.
Department: Department of Chemistry
FieldOfScience: Chemistry
Organization: Columbia University
@@ -15,3 +12,4 @@ PIName: Arkajit Mandal
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/Columbia_Reichman.yaml b/projects/Columbia_Reichman.yaml
index c09d58cb5..65863957a 100644
--- a/projects/Columbia_Reichman.yaml
+++ b/projects/Columbia_Reichman.yaml
@@ -1,10 +1,11 @@
Description: >
- In this work, we will develop a coarse-grained semiclassical method
- to simulate quantum dynamics of coupled electron-phonon systems.
- First, we will benchmark our method against exact numerical approaches and
- then combine with ab-initio calculations. Using our approach, we will also
- investigate quantum dynamical effects in materials strongly coupled to quantized light.
+ In this work, we will develop a coarse-grained semiclassical method to simulate
+ quantum dynamics of coupled electron-phonon systems. First, we will benchmark our
+ method against exact numerical approaches and then combine with ab-initio calculations.
+ Using our approach, we will also investigate quantum dynamical effects in materials
+ strongly coupled to quantized light.
Department: Chemistry Department
FieldOfScience: Chemistry
Organization: Columbia University
PIName: David Reichman
+FieldOfScienceID: '40.05'
diff --git a/projects/CombinedPS.yaml b/projects/CombinedPS.yaml
index 0087e1436..c623059da 100644
--- a/projects/CombinedPS.yaml
+++ b/projects/CombinedPS.yaml
@@ -1,13 +1,13 @@
Department: Mechanical Engineering
-Description: "Design and control of exoskeletons (and prostheses) thus far has been\
- \ primarily carried out following heuristic methods and exhaustive experimental\
- \ (design and test) procedures. This approach significantly slows down design iterations\
- \ and increases project costs. A predictive simulation framework for combined human\
- \ and device dynamics is a valuable tool that can significantly accelerate optimal\
- \ device and controller design. \n\nWe are building predictive models of combined\
- \ muscuoloskeletal and exoskeleton dynamics for walking, where design parameters\
- \ for the exoskeleton (such as actuation torque profiles) and various objective\
- \ functions (such as metabolic cost) can be optimized simultaneously."
+Description: "Design and control of exoskeletons (and prostheses) thus far has been
+ primarily carried out following heuristic methods and exhaustive experimental (design
+ and test) procedures. This approach significantly slows down design iterations and
+ increases project costs. A predictive simulation framework for combined human and
+ device dynamics is a valuable tool that can significantly accelerate optimal device
+ and controller design. \n\nWe are building predictive models of combined muscuoloskeletal
+ and exoskeleton dynamics for walking, where design parameters for the exoskeleton
+ (such as actuation torque profiles) and various objective functions (such as metabolic
+ cost) can be optimized simultaneously."
FieldOfScience: Biological and Critical Systems
ID: '382'
Organization: Colorado School of Mines
@@ -15,3 +15,4 @@ PIName: Ozkan Celik
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/CometCloud.yaml b/projects/CometCloud.yaml
index 1313874f4..3096dbe13 100644
--- a/projects/CometCloud.yaml
+++ b/projects/CometCloud.yaml
@@ -17,3 +17,4 @@ PIName: Javier Diaz-Montes
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '11'
diff --git a/projects/CompBinFormMod.yaml b/projects/CompBinFormMod.yaml
index f69e67090..7fa308fa5 100644
--- a/projects/CompBinFormMod.yaml
+++ b/projects/CompBinFormMod.yaml
@@ -1,5 +1,6 @@
Department: School of Mathematical Sciences
-Description: Computational modeling of the formation of black hole and neutron star binary systems.
+Description: Computational modeling of the formation of black hole and neutron star
+ binary systems.
FieldOfScience: Astronomy and Astrophysics
ID: '594'
Organization: Rochester Institute of Technology
@@ -7,3 +8,4 @@ PIName: Richard O'Shaughnessy
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0202'
diff --git a/projects/CompChem.yaml b/projects/CompChem.yaml
index 5bab5c37e..cffe489e4 100644
--- a/projects/CompChem.yaml
+++ b/projects/CompChem.yaml
@@ -7,3 +7,4 @@ PIName: Chaoren Liu
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/CompNeuro.yaml b/projects/CompNeuro.yaml
index bce3dd6bb..eda468a35 100644
--- a/projects/CompNeuro.yaml
+++ b/projects/CompNeuro.yaml
@@ -1,15 +1,9 @@
Department: Neurobiology
-Description: 'To give you a brief idea, I am trying to identify the information flow
-
- among several brain regions in rats in the neuronal level. The rats
-
- were actively doing a aperture discrimination task (whether a gate
-
- opened wide or narrow). I wish to find not only the static neuronal
-
- circuitry of the sensory input, but also the dynamics of the flow
-
- across time.'
+Description: "To give you a brief idea, I am trying to identify the information flow\n
+ among several brain regions in rats in the neuronal level. The rats\nwere actively
+ doing a aperture discrimination task (whether a gate\nopened wide or narrow). I
+ wish to find not only the static neuronal\ncircuitry of the sensory input, but also
+ the dynamics of the flow\nacross time."
FieldOfScience: Neuroscience
ID: '19'
Organization: Duke University
@@ -17,3 +11,4 @@ PIName: Po-He Tseng
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.15'
diff --git a/projects/ConnectTrain.yaml b/projects/ConnectTrain.yaml
index 026b9562d..81e033299 100644
--- a/projects/ConnectTrain.yaml
+++ b/projects/ConnectTrain.yaml
@@ -7,3 +7,4 @@ PIName: Christina Koch
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30.3001'
diff --git a/projects/ContinuousIntegration.yaml b/projects/ContinuousIntegration.yaml
index 8150447b6..fb93774dc 100644
--- a/projects/ContinuousIntegration.yaml
+++ b/projects/ContinuousIntegration.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30.3001'
diff --git a/projects/Cornell_Gage.yaml b/projects/Cornell_Gage.yaml
index 7492dcef6..021da84e3 100644
--- a/projects/Cornell_Gage.yaml
+++ b/projects/Cornell_Gage.yaml
@@ -9,3 +9,4 @@ ID: '750'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '01'
diff --git a/projects/Cornell_Lai.yaml b/projects/Cornell_Lai.yaml
index 16316ea34..4a45c00ce 100644
--- a/projects/Cornell_Lai.yaml
+++ b/projects/Cornell_Lai.yaml
@@ -9,3 +9,4 @@ ID: '733'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/Cornell_Pugh.yaml b/projects/Cornell_Pugh.yaml
index ad437b242..1d74c1542 100644
--- a/projects/Cornell_Pugh.yaml
+++ b/projects/Cornell_Pugh.yaml
@@ -1,4 +1,4 @@
-Department: Molecular Biology and Genetics
+Department: Molecular Biology and Genetics
Description: Bioinformatics Tool Development
FieldOfScience: Biological Sciences
ID: '718'
@@ -7,3 +7,4 @@ PIName: Frank Pugh
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/Cornell_Sandoz.yaml b/projects/Cornell_Sandoz.yaml
index a79e3cb93..0f38fbe1b 100644
--- a/projects/Cornell_Sandoz.yaml
+++ b/projects/Cornell_Sandoz.yaml
@@ -1,5 +1,7 @@
-Description: We study bacterial survival. Particularly, we are interested in cell wall modifications in response to changing environments. https://www.ksandozlab.com/new-page-2
+Description: We study bacterial survival. Particularly, we are interested in cell
+ wall modifications in response to changing environments. https://www.ksandozlab.com/new-page-2
Department: Population Medicine and Diagnostic Sciences
FieldOfScience: Biological and Biomedical Sciences
Organization: Cornell University
PIName: Kelsi Sandoz
+FieldOfScienceID: '26.0903'
diff --git a/projects/CotranslationalFolding.yaml b/projects/CotranslationalFolding.yaml
index 43e2a045d..a1e8ae706 100644
--- a/projects/CotranslationalFolding.yaml
+++ b/projects/CotranslationalFolding.yaml
@@ -1,17 +1,17 @@
Department: Chemistry
-Description: "There is now a large body of experimental evidence that the ability\
- \ of many proteins to reach full functionality in a cell depends strongly on the\
- \ rate at which individual codons are translated by the ribosome during protein\
- \ synthesis. This project aims to demonstrate that, counter to conventional wisdom,\
- \ fast-translating codons can help coordinate co-translational protein folding by\
- \ minimizing misfolding [O\u2019Brien, Nature Comm. 2014]. To do this we will use\
- \ a two-step approach: First (Aim 1), we will utilize coarse-grained molecular dynamics\
- \ simulations in combination with a genetic algorithm to find the optimal codon\
- \ translation rate profile that maximizes the co-translational folding of a protein.\
- \ And then (Aim 2) mutate, in silico, fast-translating codon positions to slower\
- \ rates to test, if as predicted, we observe a concomitant decrease in the amount\
- \ of co-translational folding. The results of this study will provide a new computational\
- \ tool for the rational design of mRNA sequences to control nascent proten behavior."
+Description: 'There is now a large body of experimental evidence that the ability
+ of many proteins to reach full functionality in a cell depends strongly on the rate
+ at which individual codons are translated by the ribosome during protein synthesis.
+ This project aims to demonstrate that, counter to conventional wisdom, fast-translating
+ codons can help coordinate co-translational protein folding by minimizing misfolding
+ [O’Brien, Nature Comm. 2014]. To do this we will use a two-step approach: First
+ (Aim 1), we will utilize coarse-grained molecular dynamics simulations in combination
+ with a genetic algorithm to find the optimal codon translation rate profile that
+ maximizes the co-translational folding of a protein. And then (Aim 2) mutate, in
+ silico, fast-translating codon positions to slower rates to test, if as predicted,
+ we observe a concomitant decrease in the amount of co-translational folding. The
+ results of this study will provide a new computational tool for the rational design
+ of mRNA sequences to control nascent proten behavior.'
FieldOfScience: Biophysics
ID: '110'
Organization: The Pennsylvania State University
@@ -19,3 +19,4 @@ PIName: Edward O'Brien
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '26.02'
diff --git a/projects/CpDarkMatterSimulation.yaml b/projects/CpDarkMatterSimulation.yaml
index 8f9a4d417..9a3943396 100644
--- a/projects/CpDarkMatterSimulation.yaml
+++ b/projects/CpDarkMatterSimulation.yaml
@@ -8,3 +8,4 @@ PIName: Christoph Paus
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '40.08'
diff --git a/projects/Creighton_Kokensparger.yaml b/projects/Creighton_Kokensparger.yaml
index 661c1cac6..430e95049 100644
--- a/projects/Creighton_Kokensparger.yaml
+++ b/projects/Creighton_Kokensparger.yaml
@@ -1,4 +1,5 @@
-Description: Digitally analyzing handwritten burial permit records from an historic cemetery.
+Description: Digitally analyzing handwritten burial permit records from an historic
+ cemetery.
Department: Computer Science, Design & Journalism Department
FieldOfScience: Computer and Information Services
Organization: Creighton University
@@ -7,3 +8,4 @@ PIName: Brian Kokensparger
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.01'
diff --git a/projects/DBConcepts.yaml b/projects/DBConcepts.yaml
index cd7128533..2189aaa4f 100644
--- a/projects/DBConcepts.yaml
+++ b/projects/DBConcepts.yaml
@@ -8,3 +8,4 @@ PIName: Richard Jean So
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/DDPSC_Baxter.yaml b/projects/DDPSC_Baxter.yaml
index 6bb7e2fa2..8863c65e3 100644
--- a/projects/DDPSC_Baxter.yaml
+++ b/projects/DDPSC_Baxter.yaml
@@ -1,4 +1,5 @@
-Description: Genome-wide association analysis of elemental accumulation in the Maize Nested Association Mapping panel
+Description: Genome-wide association analysis of elemental accumulation in the Maize
+ Nested Association Mapping panel
Department: Plant Genetics
FieldOfScience: Biological and Biomedical Sciences
Organization: Donald Danforth Plant Science Center
@@ -9,3 +10,4 @@ ID: '748'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/DES.yaml b/projects/DES.yaml
index 84420d62b..97b04f897 100644
--- a/projects/DES.yaml
+++ b/projects/DES.yaml
@@ -7,3 +7,4 @@ PIName: Nikolay Kuropatkin
Sponsor:
VirtualOrganization:
Name: Fermilab
+FieldOfScienceID: '40.0202'
diff --git a/projects/DESDM.yaml b/projects/DESDM.yaml
index ff60702ae..0ef29c72c 100644
--- a/projects/DESDM.yaml
+++ b/projects/DESDM.yaml
@@ -1,17 +1,15 @@
-Description: The Dark Energy Survey (DES) is about to complete its five-year
- observing program. This consists of a 5000 square-degree wide field
- survey in 5 optical bands of the Southern sky and a 30 square-degree
- deep supernova survey with the aim to understand the nature of Dark
- Energy and the accelerating Universe. DES uses the 3 square-degree CCD
- camera (DECam), installed at the prime focus of the Blanco 4-m to record
- the positions and shapes of 300 million galaxies up to redshift 1.4.
- During a normal night of observations, DES produces about 1 TB of raw
- data, including science and calibration images, which are transported
- automatically from Chile to the National Center for Supercomputing
- Applications in Urbana, Illinois to be archived and reduced. The
- DES Data Management system (DESDM) is in charge of the processing,
- calibration and archiving of these data into science-ready data products
- for analysis by the DES Collaboration and the public.
+Description: The Dark Energy Survey (DES) is about to complete its five-year observing
+ program. This consists of a 5000 square-degree wide field survey in 5 optical bands
+ of the Southern sky and a 30 square-degree deep supernova survey with the aim to
+ understand the nature of Dark Energy and the accelerating Universe. DES uses the
+ 3 square-degree CCD camera (DECam), installed at the prime focus of the Blanco 4-m
+ to record the positions and shapes of 300 million galaxies up to redshift 1.4. During
+ a normal night of observations, DES produces about 1 TB of raw data, including science
+ and calibration images, which are transported automatically from Chile to the National
+ Center for Supercomputing Applications in Urbana, Illinois to be archived and reduced.
+ The DES Data Management system (DESDM) is in charge of the processing, calibration
+ and archiving of these data into science-ready data products for analysis by the
+ DES Collaboration and the public.
Department: N/A
FieldOfScience: Astronomy
Organization: National Center for Supercomputing Applications (NCSA)
@@ -23,3 +21,4 @@ Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.02'
diff --git a/projects/DOSAR.yaml b/projects/DOSAR.yaml
index 430823fb2..35a80c9aa 100644
--- a/projects/DOSAR.yaml
+++ b/projects/DOSAR.yaml
@@ -9,3 +9,4 @@ PIName: Rob Quick
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '13'
diff --git a/projects/DTWclassifier.yaml b/projects/DTWclassifier.yaml
index cc8c24937..71f2df4d5 100644
--- a/projects/DTWclassifier.yaml
+++ b/projects/DTWclassifier.yaml
@@ -8,3 +8,4 @@ PIName: Luke Remage-Healey
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.15'
diff --git a/projects/DUNE.yaml b/projects/DUNE.yaml
index bab986e3c..809ddd863 100644
--- a/projects/DUNE.yaml
+++ b/projects/DUNE.yaml
@@ -7,3 +7,4 @@ PIName: Thomas Robert Junk
Sponsor:
VirtualOrganization:
Name: Fermilab
+FieldOfScienceID: '40.08'
diff --git a/projects/Dartmouth_Chaboyer.yaml b/projects/Dartmouth_Chaboyer.yaml
index 61052c9f9..cccb91fd3 100644
--- a/projects/Dartmouth_Chaboyer.yaml
+++ b/projects/Dartmouth_Chaboyer.yaml
@@ -1,9 +1,12 @@
Description: >
- Computational stellar models are widely used in astrophysics and are often consulted to interpret observations of starlight.
- My research group aims to improve stellar models by incorporating updated physics into the models, creating a database of
- stellar models for use by other researchers, and to use these improved stellar models to study a variety of issues related
- to galactic archelogy and the formation of galaxies. https://stellar.host.dartmouth.edu
+ Computational stellar models are widely used in astrophysics and are often consulted
+ to interpret observations of starlight.
+ My research group aims to improve stellar models by incorporating updated physics
+ into the models, creating a database of stellar models for use by other researchers,
+ and to use these improved stellar models to study a variety of issues related to
+ galactic archelogy and the formation of galaxies. https://stellar.host.dartmouth.edu
Department: Physics and Astronomy
FieldOfScience: Astronomy and Astrophysics
Organization: Dartmouth College
PIName: Brian Chaboyer
+FieldOfScienceID: '40.0202'
diff --git a/projects/DataSaoPaulo.yaml b/projects/DataSaoPaulo.yaml
index a74518f3d..0bf8eaa73 100644
--- a/projects/DataSaoPaulo.yaml
+++ b/projects/DataSaoPaulo.yaml
@@ -7,3 +7,4 @@ PIName: Rob Quick
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '13'
diff --git a/projects/DataTrieste.yaml b/projects/DataTrieste.yaml
index 7b21380cd..5d5024e8e 100644
--- a/projects/DataTrieste.yaml
+++ b/projects/DataTrieste.yaml
@@ -7,3 +7,4 @@ PIName: Rob Quick
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '30'
diff --git a/projects/Dearborn_Shawver.yaml b/projects/Dearborn_Shawver.yaml
index e02d2e6c0..764336176 100644
--- a/projects/Dearborn_Shawver.yaml
+++ b/projects/Dearborn_Shawver.yaml
@@ -7,3 +7,4 @@ PIName: Kimberly Shawver
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/DeepMail.yaml b/projects/DeepMail.yaml
index e620df9a5..2c91950c6 100644
--- a/projects/DeepMail.yaml
+++ b/projects/DeepMail.yaml
@@ -12,3 +12,4 @@ PIName: Micheal Marasco
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/DeerDisease.yaml b/projects/DeerDisease.yaml
index 6f52e00e4..0f2bc4e83 100644
--- a/projects/DeerDisease.yaml
+++ b/projects/DeerDisease.yaml
@@ -10,3 +10,4 @@ PIName: Lene Jung Kjaer
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '26'
diff --git a/projects/DelhiWorkshop2015.yaml b/projects/DelhiWorkshop2015.yaml
index 60c616cce..2262774fd 100644
--- a/projects/DelhiWorkshop2015.yaml
+++ b/projects/DelhiWorkshop2015.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/DemandSC.yaml b/projects/DemandSC.yaml
index 0b3cb429a..c2ed5fd58 100644
--- a/projects/DemandSC.yaml
+++ b/projects/DemandSC.yaml
@@ -9,3 +9,4 @@ PIName: Fernando Luco
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '52.0601'
diff --git a/projects/DemoSims.yaml b/projects/DemoSims.yaml
index 61401f935..35e785c11 100644
--- a/projects/DemoSims.yaml
+++ b/projects/DemoSims.yaml
@@ -9,3 +9,4 @@ ID: '530'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1303'
diff --git a/projects/DetectorDesign.yaml b/projects/DetectorDesign.yaml
index 4cd782825..e7d89f8a9 100644
--- a/projects/DetectorDesign.yaml
+++ b/projects/DetectorDesign.yaml
@@ -8,3 +8,4 @@ PIName: John Strologas
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '26'
diff --git a/projects/DiffCorr.yaml b/projects/DiffCorr.yaml
index 6aa2f8720..3961b25e8 100644
--- a/projects/DiffCorr.yaml
+++ b/projects/DiffCorr.yaml
@@ -7,3 +7,4 @@ PIName: Jacek Herbrych
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0808'
diff --git a/projects/Diffpred.yaml b/projects/Diffpred.yaml
index a84f0169c..4276b8081 100644
--- a/projects/Diffpred.yaml
+++ b/projects/Diffpred.yaml
@@ -8,3 +8,4 @@ PIName: Franco Pestilli
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.15'
diff --git a/projects/Diffusion-predictor.yaml b/projects/Diffusion-predictor.yaml
index 297ed45ec..a49fd5757 100644
--- a/projects/Diffusion-predictor.yaml
+++ b/projects/Diffusion-predictor.yaml
@@ -7,3 +7,4 @@ PIName: Soichi Hayashi
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '26.15'
diff --git a/projects/Dissertation.yaml b/projects/Dissertation.yaml
index f7285e310..caff2780a 100644
--- a/projects/Dissertation.yaml
+++ b/projects/Dissertation.yaml
@@ -8,3 +8,4 @@ PIName: Ann Arthur
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '42.2806'
diff --git a/projects/Doane_Engebretson.yaml b/projects/Doane_Engebretson.yaml
index 7ab07e46b..4a17fbda8 100644
--- a/projects/Doane_Engebretson.yaml
+++ b/projects/Doane_Engebretson.yaml
@@ -7,3 +7,4 @@ PIName: Alec Engebretson
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 11.0701a
diff --git a/projects/Drexel_URCF.yaml b/projects/Drexel_URCF.yaml
index e42751e7a..da06a371f 100644
--- a/projects/Drexel_URCF.yaml
+++ b/projects/Drexel_URCF.yaml
@@ -1,6 +1,7 @@
Description: >
Accounts for Drexel University Research Computing Facility Staff;
- Information about our facility: https://drexel.edu/core-facilities/facilities/research-computing/
+ Information about our facility: https://drexel.edu/core-facilities/facilities/research-computing/
+
Department: University Research Computing Facility
FieldOfScience: Computer Sciences
Organization: Drexel University
@@ -9,3 +10,4 @@ PIName: David Chin
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 11.0701a
diff --git a/projects/Duke-QGP.yaml b/projects/Duke-QGP.yaml
index 75da4d229..a3f6e29d3 100644
--- a/projects/Duke-QGP.yaml
+++ b/projects/Duke-QGP.yaml
@@ -8,3 +8,4 @@ PIName: Steffen A. Bass
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '40.0806'
diff --git a/projects/Duke_Charbonneau.yaml b/projects/Duke_Charbonneau.yaml
index 5b0268e57..093d8c82c 100644
--- a/projects/Duke_Charbonneau.yaml
+++ b/projects/Duke_Charbonneau.yaml
@@ -1,8 +1,13 @@
Description: >
- Periodic microphases universally emerge in systems for which short-range inter-particle attraction is frustrated by long-range repulsion.
- The morphological richness of these phases makes them desirable material targets, but our relatively coarse understanding of even simple models limits our grasp of their assembly.
- The OSG computing resources will enable us to explore more solutions of the equilibrium phase behavior of a family of similar microscopic microphase formers through specialized Monte Carlo simulations.
+ Periodic microphases universally emerge in systems for which short-range inter-particle
+ attraction is frustrated by long-range repulsion.
+ The morphological richness of these phases makes them desirable material targets,
+ but our relatively coarse understanding of even simple models limits our grasp of
+ their assembly. The OSG computing resources will enable us to explore more solutions
+ of the equilibrium phase behavior of a family of similar microscopic microphase
+ formers through specialized Monte Carlo simulations.
Department: Chemistry
FieldOfScience: Computational Condensed Matter Physics
Organization: Duke University
PIName: Patrick Charbonneau
+FieldOfScienceID: '40.0808'
diff --git a/projects/ECFA.yaml b/projects/ECFA.yaml
index 4de788479..641e117c7 100644
--- a/projects/ECFA.yaml
+++ b/projects/ECFA.yaml
@@ -1,17 +1,8 @@
Department: Physics
-Description: 'Simulate hundreds of millions of high-energy
-
- proton proton collisions, which mimic the
-
- collisions expected at the LHC in the coming
-
- years. This simulated data is used to assess the
-
- physics potential of potential detector upgrades,
-
- allowing decision makers and funding agencies to
-
- plan for the future.'
+Description: "Simulate hundreds of millions of high-energy\nproton proton collisions,
+ which mimic the\ncollisions expected at the LHC in the coming\nyears. This simulated
+ data is used to assess the\nphysics potential of potential detector upgrades,\n
+ allowing decision makers and funding agencies to\nplan for the future."
FieldOfScience: High Energy Physics
ID: '8'
Organization: Brown University
@@ -19,3 +10,4 @@ PIName: Meenakshi Narain
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '40.08'
diff --git a/projects/EDFCHT.yaml b/projects/EDFCHT.yaml
index 97a4b40dd..583e59678 100644
--- a/projects/EDFCHT.yaml
+++ b/projects/EDFCHT.yaml
@@ -12,3 +12,4 @@ PIName: Jianghao Chu
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '42.27'
diff --git a/projects/EHEC.yaml b/projects/EHEC.yaml
index 08610c464..eafa63992 100644
--- a/projects/EHEC.yaml
+++ b/projects/EHEC.yaml
@@ -1,20 +1,19 @@
Department: Bacteriology
-Description: "Project Description: Our research is primarily focused on the transmission\
- \ and evolution of two zoonotic pathogens, enterohemorrhagic Escherichia coli (EHEC)\
- \ and Salmonella. These pathogens reside in the intestinal tracts of animal hosts\
- \ where they encounter diverse microbial communities, fluctuating nutrient levels,\
- \ and myriad host factors. Transmission between hosts requires these pathogens to\
- \ survive varied environmental conditions. The general stress protection system\
- \ (regulated by the alternative sigma factor, \u03C3s) is known to play a central\
- \ role in environmental persistence and transmission. Acid and desiccation tolerance\
- \ are two transmission-associated phenotypes that are dependent upon \u03C3s \u2013\
- regulated genes. We are also investigating the role of prophage in fitness. EHEC\
- \ harbor multiple lambda-like prophage and cryptic phage remnants in their genome\
- \ that facilitate genomic rearrangements, gene duplications, and deletions by homologous\
- \ recombination. \nWe are investigating how these phage-mediated genomic rearrangements\
- \ influence the persistence of EHEC in its bovine host and the environment. The\
- \ goals of our research are to use results from these fundamental studies in the\
- \ development of strategies to reduce pathogen transmission."
+Description: "Project Description: Our research is primarily focused on the transmission
+ and evolution of two zoonotic pathogens, enterohemorrhagic Escherichia coli (EHEC)
+ and Salmonella. These pathogens reside in the intestinal tracts of animal hosts
+ where they encounter diverse microbial communities, fluctuating nutrient levels,
+ and myriad host factors. Transmission between hosts requires these pathogens to
+ survive varied environmental conditions. The general stress protection system (regulated
+ by the alternative sigma factor, σs) is known to play a central role in environmental
+ persistence and transmission. Acid and desiccation tolerance are two transmission-associated
+ phenotypes that are dependent upon σs –regulated genes. We are also investigating
+ the role of prophage in fitness. EHEC harbor multiple lambda-like prophage and cryptic
+ phage remnants in their genome that facilitate genomic rearrangements, gene duplications,
+ and deletions by homologous recombination. \nWe are investigating how these phage-mediated
+ genomic rearrangements influence the persistence of EHEC in its bovine host and
+ the environment. The goals of our research are to use results from these fundamental
+ studies in the development of strategies to reduce pathogen transmission."
FieldOfScience: Microbiology
ID: '188'
Organization: University of Wisconsin-Madison
@@ -22,3 +21,4 @@ PIName: Chuck Kaspar
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.05'
diff --git a/projects/EIC.yaml b/projects/EIC.yaml
index d130dca24..032578c14 100644
--- a/projects/EIC.yaml
+++ b/projects/EIC.yaml
@@ -8,3 +8,4 @@ PIName: Tobias Toll
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '40.08'
diff --git a/projects/EICpseudodata.yaml b/projects/EICpseudodata.yaml
index 9daacb4a0..c699d3011 100644
--- a/projects/EICpseudodata.yaml
+++ b/projects/EICpseudodata.yaml
@@ -1,6 +1,6 @@
-Description: Monte Carlo simulations of particle production in the set-up
- corresponding to the kinematics of observables, which are planned to be
- measured in the future US-based Electron Ion Collider facility.
+Description: Monte Carlo simulations of particle production in the set-up corresponding
+ to the kinematics of observables, which are planned to be measured in the future
+ US-based Electron Ion Collider facility.
Department: Department of Physics and Astronomy
FieldOfScience: Nuclear Physics
Organization: State University of New York at Stony Brook
@@ -12,3 +12,4 @@ Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0806'
diff --git a/projects/EMODIS-NDVI.yaml b/projects/EMODIS-NDVI.yaml
index c9994efda..5e959b492 100644
--- a/projects/EMODIS-NDVI.yaml
+++ b/projects/EMODIS-NDVI.yaml
@@ -7,3 +7,4 @@ PIName: Dayne Broderson
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '45.0702'
diff --git a/projects/ERVmodels.yaml b/projects/ERVmodels.yaml
index e9f640cbf..b0834f9d4 100644
--- a/projects/ERVmodels.yaml
+++ b/projects/ERVmodels.yaml
@@ -1,12 +1,11 @@
Department: Department of Zoology
-Description: "Project Description: Endogenous retroviruses (ERVs) are viewed as ancient\
- \ retroviral infections in vertebrate genomes and are commonly referred to as viral\
- \ fossils, accounting for approximately 8% of the human genome. In order to increase\
- \ our understanding of these viruses in host genomes, I am developing more complex\
- \ models that describe the evolution of ERVs in host genomes. Specifically, I am\
- \ interested in understanding evolutionary patterns of ERVs that have intact genes\
- \ and are theoretically able to re-infect when \ncompared to those that lost this\
- \ ability."
+Description: "Project Description: Endogenous retroviruses (ERVs) are viewed as ancient
+ retroviral infections in vertebrate genomes and are commonly referred to as viral
+ fossils, accounting for approximately 8% of the human genome. In order to increase
+ our understanding of these viruses in host genomes, I am developing more complex
+ models that describe the evolution of ERVs in host genomes. Specifically, I am interested
+ in understanding evolutionary patterns of ERVs that have intact genes and are theoretically
+ able to re-infect when \ncompared to those that lost this ability."
FieldOfScience: Zoology
ID: '191'
Organization: University of Oxford
@@ -14,3 +13,4 @@ PIName: Fabricia Nascimento
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.07'
diff --git a/projects/ETHZ_Zhang.yaml b/projects/ETHZ_Zhang.yaml
index 4dfccce4f..53a3f590e 100644
--- a/projects/ETHZ_Zhang.yaml
+++ b/projects/ETHZ_Zhang.yaml
@@ -1,8 +1,9 @@
Department: Computer Science
-Description: To make machine learning techniques widely accessible.
+Description: To make machine learning techniques widely accessible.
FieldOfScience: Computer Science
Organization: ETH Zurich
PIName: Ce Zhang
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/EWMS_Riedel_Startup.yaml b/projects/EWMS_Riedel_Startup.yaml
index 54ba7585c..78fea4612 100644
--- a/projects/EWMS_Riedel_Startup.yaml
+++ b/projects/EWMS_Riedel_Startup.yaml
@@ -1,8 +1,13 @@
Department: Physics
-Description: To develop an Observation Management System Framework which will help alleviating multiple types of astrophysical data and respective workflow management. The Event Workflow Management System (EWMS)is a workload manager designed for processing events (simulated readouts from a particle physics detector, recorded data points, images, etc.) with complex workflows.
+Description: To develop an Observation Management System Framework which will help
+ alleviating multiple types of astrophysical data and respective workflow management.
+ The Event Workflow Management System (EWMS)is a workload manager designed for processing
+ events (simulated readouts from a particle physics detector, recorded data points,
+ images, etc.) with complex workflows.
FieldOfScience: Astrophysics
Organization: University of Wisconsin-Madison
PIName: Benedikt Riedel
Sponsor:
CampusGrid:
Name: PATh Facility
+FieldOfScienceID: '40.0202'
diff --git a/projects/Emory_Boettcher.yaml b/projects/Emory_Boettcher.yaml
index 97215feea..efef3da1b 100644
--- a/projects/Emory_Boettcher.yaml
+++ b/projects/Emory_Boettcher.yaml
@@ -1,4 +1,4 @@
-Description: "Finite-size corrections in spin glasses and combinatorial optimization"
+Description: Finite-size corrections in spin glasses and combinatorial optimization
Department: Department of Physics
FieldOfScience: Condensed Matter Physics
Organization: Emory University
@@ -6,3 +6,4 @@ PIName: Stefan Boettcher
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0808'
diff --git a/projects/Emory_Chavez.yaml b/projects/Emory_Chavez.yaml
index 78dbd5ab9..cc77c5b73 100644
--- a/projects/Emory_Chavez.yaml
+++ b/projects/Emory_Chavez.yaml
@@ -1,4 +1,5 @@
-Description: Simulate Monte Carlo experiments of social interaction models to assess the small sample performance of the estimator.
+Description: Simulate Monte Carlo experiments of social interaction models to assess
+ the small sample performance of the estimator.
Department: Department of Economics
FieldOfScience: Economics
Organization: Emory University
@@ -6,3 +7,4 @@ PIName: David Jacho-Chavez
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '42.2707'
diff --git a/projects/Emory_Pesavento.yaml b/projects/Emory_Pesavento.yaml
index cc1dab4db..e1c606582 100644
--- a/projects/Emory_Pesavento.yaml
+++ b/projects/Emory_Pesavento.yaml
@@ -14,3 +14,4 @@ Description: >
FieldOfScience: Economics
Organization: Emory University
PIName: Elena Pesavento
+FieldOfScienceID: '45.0601'
diff --git a/projects/EmpModNatGas.yaml b/projects/EmpModNatGas.yaml
index 63bc11abe..3c7179259 100644
--- a/projects/EmpModNatGas.yaml
+++ b/projects/EmpModNatGas.yaml
@@ -9,3 +9,4 @@ PIName: Ashley Vissing
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '3.02'
diff --git a/projects/EpiBrain.yaml b/projects/EpiBrain.yaml
index a67479198..7d6bce3a2 100644
--- a/projects/EpiBrain.yaml
+++ b/projects/EpiBrain.yaml
@@ -9,3 +9,4 @@ PIName: David Mogul
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.15'
diff --git a/projects/Etown_Wittmeyer.yaml b/projects/Etown_Wittmeyer.yaml
index d17be6c56..5ef75d15d 100644
--- a/projects/Etown_Wittmeyer.yaml
+++ b/projects/Etown_Wittmeyer.yaml
@@ -1,4 +1,8 @@
-Description: I am interested in examining experience-dependent neuroplasticity and individual differences in humans as it pertains to learning and memory. In particular, I analyze structural magnetic resonance imaging (sMRI) data from various neuroimaging data-sharing platforms to explore changes in gray matter across learning and/or correlate learning performance with various cognitive and demographic factors.
+Description: I am interested in examining experience-dependent neuroplasticity and
+ individual differences in humans as it pertains to learning and memory. In particular,
+ I analyze structural magnetic resonance imaging (sMRI) data from various neuroimaging
+ data-sharing platforms to explore changes in gray matter across learning and/or
+ correlate learning performance with various cognitive and demographic factors.
Department: Psychology
FieldOfScience: Psychology and Life Sciences
Organization: Elizabethtown College
@@ -7,3 +11,4 @@ PIName: Jennifer Legault Wittmeyer
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 26.1599b
diff --git a/projects/Eureka_Danehkar.yaml b/projects/Eureka_Danehkar.yaml
index 6e178144b..2c51f7f95 100644
--- a/projects/Eureka_Danehkar.yaml
+++ b/projects/Eureka_Danehkar.yaml
@@ -7,3 +7,4 @@ PIName: Ashkbiz Danehkar
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0202'
diff --git a/projects/EvoProtDrug.yaml b/projects/EvoProtDrug.yaml
index 344cc7a4a..f091df089 100644
--- a/projects/EvoProtDrug.yaml
+++ b/projects/EvoProtDrug.yaml
@@ -19,3 +19,4 @@ PIName: Milo Lin
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.02'
diff --git a/projects/EvoTheory.yaml b/projects/EvoTheory.yaml
index 2e3432480..95ad108d5 100644
--- a/projects/EvoTheory.yaml
+++ b/projects/EvoTheory.yaml
@@ -1,29 +1,28 @@
Department: Biology
-Description: "Linkage disequilibrium's contribution to the maintenance of sexual reproduction\n\
- \nThough sexual reproduction is nearly ubiquitous in nature, its costs are substantial.\
- \ Foremost among these costs are the twofold cost of males and the cost of destroying\
- \ successful genetic associations. Understanding the paradox of the persistence\
- \ of sex despite these detriments is a central question in evolutionary theory.\
- \ In order to persist regardless of these disadvantages, the benefits of sexual\
- \ reproduction must be substantial - offspring of sexual reproduction must have\
- \ at least twice the fitness of asexual clones. The most generalizable hypotheses\
- \ addressing the benefits of sex propose that genetic drift increases linkage disequilibrium,\
- \ creating a surfeit of genomes with intermediate fitness. Sexual recombination\
- \ eliminates linkage disequilibrium, thereby increasing genetic variation for fitness\
- \ and improving the efficiency of natural selection. However, previous research\
- \ using this framework has failed to address the biological reality of interactions\
- \ between genes. Because the cost of destroying beneficial genetic interactions\
- \ is one of the major costs of sex, this cannot be overlooked. In this work, I use\
- \ a computational gene network model in which genes interact and genetic interactions\
- \ evolve to investigate the hypothesis that linkage disequilibrium decreases the\
- \ fitness and adaptability of asexual populations. I test this both by evolving\
- \ artificial organisms in conditions that will increase linkage disequilibrium,\
- \ and by evolving them in an environment with a shifting optimum, which will make\
- \ linkage disequilibrium more costly. \n\nI am running a python script that runs\
- \ populations of artificial gene networks (numerical matrices) through repeated\
- \ rounds (on the order of 10s of thousands) of mutation, selection and reproduction,\
- \ analyzing the evolutionary dynamics of these populations, and storing the data\
- \ generated by this in text files."
+Description: "Linkage disequilibrium's contribution to the maintenance of sexual reproduction\n
+ \nThough sexual reproduction is nearly ubiquitous in nature, its costs are substantial.
+ Foremost among these costs are the twofold cost of males and the cost of destroying
+ successful genetic associations. Understanding the paradox of the persistence of
+ sex despite these detriments is a central question in evolutionary theory. In order
+ to persist regardless of these disadvantages, the benefits of sexual reproduction
+ must be substantial - offspring of sexual reproduction must have at least twice
+ the fitness of asexual clones. The most generalizable hypotheses addressing the
+ benefits of sex propose that genetic drift increases linkage disequilibrium, creating
+ a surfeit of genomes with intermediate fitness. Sexual recombination eliminates
+ linkage disequilibrium, thereby increasing genetic variation for fitness and improving
+ the efficiency of natural selection. However, previous research using this framework
+ has failed to address the biological reality of interactions between genes. Because
+ the cost of destroying beneficial genetic interactions is one of the major costs
+ of sex, this cannot be overlooked. In this work, I use a computational gene network
+ model in which genes interact and genetic interactions evolve to investigate the
+ hypothesis that linkage disequilibrium decreases the fitness and adaptability of
+ asexual populations. I test this both by evolving artificial organisms in conditions
+ that will increase linkage disequilibrium, and by evolving them in an environment
+ with a shifting optimum, which will make linkage disequilibrium more costly. \n\n
+ I am running a python script that runs populations of artificial gene networks (numerical
+ matrices) through repeated rounds (on the order of 10s of thousands) of mutation,
+ selection and reproduction, analyzing the evolutionary dynamics of these populations,
+ and storing the data generated by this in text files."
FieldOfScience: Evolutionary Sciences
ID: '21'
Organization: University of North Carolina at Chapel Hill
@@ -31,3 +30,4 @@ PIName: Christina Burch
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.13'
diff --git a/projects/EvolCE.yaml b/projects/EvolCE.yaml
index 10320312e..009ed724a 100644
--- a/projects/EvolCE.yaml
+++ b/projects/EvolCE.yaml
@@ -7,3 +7,4 @@ PIName: Davorka Gulisija
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/EvolSims.yaml b/projects/EvolSims.yaml
index 5c32ce6d6..114ceb880 100644
--- a/projects/EvolSims.yaml
+++ b/projects/EvolSims.yaml
@@ -8,3 +8,4 @@ PIName: Oana Carja
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.131'
diff --git a/projects/EvolvingAI.yaml b/projects/EvolvingAI.yaml
index 9f76c6d69..f95dcf2e9 100644
--- a/projects/EvolvingAI.yaml
+++ b/projects/EvolvingAI.yaml
@@ -13,3 +13,4 @@ PIName: Jeff Clune
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/ExhaustiveSearch.yaml b/projects/ExhaustiveSearch.yaml
index d7ab59ff4..2249282e5 100644
--- a/projects/ExhaustiveSearch.yaml
+++ b/projects/ExhaustiveSearch.yaml
@@ -8,3 +8,4 @@ PIName: Sam Volchenboum
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/ExoplanetaryACS.yaml b/projects/ExoplanetaryACS.yaml
index f81e36c01..f577b49ea 100644
--- a/projects/ExoplanetaryACS.yaml
+++ b/projects/ExoplanetaryACS.yaml
@@ -1,4 +1,4 @@
-Description: In this project, the absorption cross section (or molecular opacity)
+Description: In this project, the absorption cross section (or molecular opacity)
and important exoplanetary atmospheric molecules will be generated.
Department: School of Earth and Space Exploration
FieldOfScience: Astrophysics
@@ -11,3 +11,4 @@ Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0202'
diff --git a/projects/FDDRCS.yaml b/projects/FDDRCS.yaml
index ecfe8c764..2807c9f1c 100644
--- a/projects/FDDRCS.yaml
+++ b/projects/FDDRCS.yaml
@@ -10,3 +10,4 @@ PIName: Alessandro Peri
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '45.06'
diff --git a/projects/FDLTCC_Wetherbee.yaml b/projects/FDLTCC_Wetherbee.yaml
index d0bb0f14a..c739b0b7e 100644
--- a/projects/FDLTCC_Wetherbee.yaml
+++ b/projects/FDLTCC_Wetherbee.yaml
@@ -7,3 +7,4 @@ PIName: Ted Wetherbee
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.02'
diff --git a/projects/FECliu.yaml b/projects/FECliu.yaml
index 522a819b0..05b182b5f 100644
--- a/projects/FECliu.yaml
+++ b/projects/FECliu.yaml
@@ -7,3 +7,4 @@ PIName: Yanfang Liu
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14'
diff --git a/projects/FEMyo.yaml b/projects/FEMyo.yaml
index fb48e1385..3d03caa41 100644
--- a/projects/FEMyo.yaml
+++ b/projects/FEMyo.yaml
@@ -1,11 +1,10 @@
-Description: Using FEM and multi-parametric design to perform mechanical
- simulations of metamaterial structures for the purpose of mechanical
- characterization. These structures will subsequently be screened
- for use as a myocardial support device.
+Description: Using FEM and multi-parametric design to perform mechanical simulations
+ of metamaterial structures for the purpose of mechanical characterization. These
+ structures will subsequently be screened for use as a myocardial support device.
Department: Cardiology
FieldOfScience: Biomedical research
Organization: Icahn School of Medicine at Mount Sinai
-PIName: Kevin Costa
+PIName: Kevin Costa
ID: '522'
@@ -13,3 +12,4 @@ Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/FF15IPQEXT.yaml b/projects/FF15IPQEXT.yaml
index 56750e775..31649a9b1 100644
--- a/projects/FF15IPQEXT.yaml
+++ b/projects/FF15IPQEXT.yaml
@@ -1,5 +1,6 @@
Department: Chemistry
-Description: Parameterizing force fields for artificial amino acids through molecular dynamic simulations
+Description: Parameterizing force fields for artificial amino acids through molecular
+ dynamic simulations
FieldOfScience: Chemistry
ID: '611'
Organization: University of Pittsburgh
@@ -7,3 +8,4 @@ PIName: Lillian Chong
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/FFValidate.yaml b/projects/FFValidate.yaml
index 006146d2e..0a4568c27 100644
--- a/projects/FFValidate.yaml
+++ b/projects/FFValidate.yaml
@@ -9,3 +9,4 @@ PIName: Vijay Pande
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/FIFE.yaml b/projects/FIFE.yaml
index 398104ac0..574f2efd2 100644
--- a/projects/FIFE.yaml
+++ b/projects/FIFE.yaml
@@ -7,3 +7,4 @@ PIName: Ken Herner
Sponsor:
VirtualOrganization:
Name: Fermilab
+FieldOfScienceID: '40.08'
diff --git a/projects/FIU_DCunha.yaml b/projects/FIU_DCunha.yaml
index e24b9deba..28d007dc0 100644
--- a/projects/FIU_DCunha.yaml
+++ b/projects/FIU_DCunha.yaml
@@ -1,9 +1,12 @@
-Description: To implement a reconfigurable compute environment, RAPTOR proposes to adopt the Chameleon Cloud Infrastructure for on-demand resource allocation, and the Open Science Grid (OSG)
-Department: Department of Information Technology
+Description: To implement a reconfigurable compute environment, RAPTOR proposes to
+ adopt the Chameleon Cloud Infrastructure for on-demand resource allocation, and
+ the Open Science Grid (OSG)
+Department: Department of Information Technology
FieldOfScience: NSF RAPTOR Project / Computer and Information Systems
Organization: Florida International University
-PIName: Cassian D’Cunha
+PIName: Cassian D’Cunha
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/FIU_Guo.yaml b/projects/FIU_Guo.yaml
index 8bcad1f21..bd7d18b27 100644
--- a/projects/FIU_Guo.yaml
+++ b/projects/FIU_Guo.yaml
@@ -1,9 +1,10 @@
Description: >
- My research in experimental nuclear physics requires large amounts of
- simulations. These simulations are independent of one another and the OSPool is
- very well suited for these tasks. Access to the OSG computing resources would be
- a useful asset for my research.
+ My research in experimental nuclear physics requires large amounts of simulations.
+ These simulations are independent of one another and the OSPool is very well suited
+ for these tasks. Access to the OSG computing resources would be a useful asset
+ for my research.
Department: College of Arts and Science
FieldOfScience: Physics
Organization: Florida International University
PIName: Lei Guo
+FieldOfScienceID: '40.08'
diff --git a/projects/FIU_Hamid.yaml b/projects/FIU_Hamid.yaml
index 42bba76e1..3a8ac3d65 100644
--- a/projects/FIU_Hamid.yaml
+++ b/projects/FIU_Hamid.yaml
@@ -1,5 +1,5 @@
-Description: https://fphlm.cs.fiu.edu/
-Department: IHRC
+Description: https://fphlm.cs.fiu.edu/
+Department: IHRC
FieldOfScience: Ocean Sciences and Marine Sciences
Organization: Florida International University
PIName: Shahid Hamid
@@ -7,3 +7,4 @@ PIName: Shahid Hamid
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 30.3201b
diff --git a/projects/FNAL_Hoeche.yaml b/projects/FNAL_Hoeche.yaml
index f3bcebf2c..be37d42b5 100644
--- a/projects/FNAL_Hoeche.yaml
+++ b/projects/FNAL_Hoeche.yaml
@@ -1,9 +1,8 @@
-Description: Sherpa is a Monte Carlo event generator for the Simulation of
- High-Energy Reactions of PArticles in lepton-lepton, lepton-photon,
- photon-photon, lepton-hadron and hadron-hadron collisions. Simulation
- programs - also dubbed event generators - are indispensable computational
- tools for particle physics phenomenology and are the interface between
- theory and experiment.
+Description: Sherpa is a Monte Carlo event generator for the Simulation of High-Energy
+ Reactions of PArticles in lepton-lepton, lepton-photon, photon-photon, lepton-hadron
+ and hadron-hadron collisions. Simulation programs - also dubbed event generators
+ - are indispensable computational tools for particle physics phenomenology and are
+ the interface between theory and experiment.
Department: Fermilab Theory Division
FieldOfScience: Physics
Organization: Fermilab
@@ -12,3 +11,4 @@ PIName: Stefan Hoeche
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/FRISpoilageProject.yaml b/projects/FRISpoilageProject.yaml
index 7270525e8..8780adc2a 100644
--- a/projects/FRISpoilageProject.yaml
+++ b/projects/FRISpoilageProject.yaml
@@ -10,3 +10,4 @@ PIName: Chuck Kaspar
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.05'
diff --git a/projects/FSU_Kolberg.yaml b/projects/FSU_Kolberg.yaml
index a3c2fb4b0..784f4ca54 100644
--- a/projects/FSU_Kolberg.yaml
+++ b/projects/FSU_Kolberg.yaml
@@ -9,3 +9,4 @@ ID: '706'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/FSU_RCC.yaml b/projects/FSU_RCC.yaml
index 73ace04c1..be9fac22c 100644
--- a/projects/FSU_RCC.yaml
+++ b/projects/FSU_RCC.yaml
@@ -1,6 +1,5 @@
-Description: The Research Computing Center at Florida State University
- enables research and education by maintaining a diverse campus
- cyberinfrastructure
+Description: The Research Computing Center at Florida State University enables research
+ and education by maintaining a diverse campus cyberinfrastructure
Department: Research Computing Center
FieldOfScience: Research Computing
Organization: Florida State University
@@ -9,3 +8,4 @@ PIName: Paul van der Mark
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.9999'
diff --git a/projects/Fairfield_Kubasik.yaml b/projects/Fairfield_Kubasik.yaml
index 3d25bb50b..1ab96cb44 100644
--- a/projects/Fairfield_Kubasik.yaml
+++ b/projects/Fairfield_Kubasik.yaml
@@ -1,7 +1,6 @@
-Description: I seek to perform molecular dynamics simulations using Gromacs.
- Specifically, I seek to run trajectories of short peptide molecules in
- various solvents in order to compute infrared spectra and configurational
- free energy differences.
+Description: I seek to perform molecular dynamics simulations using Gromacs. Specifically,
+ I seek to run trajectories of short peptide molecules in various solvents in order
+ to compute infrared spectra and configurational free energy differences.
Department: Department of Chemistry & Biochemistry
FieldOfScience: Chemistry
Organization: Fairfield
@@ -12,3 +11,4 @@ ID: '797'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/Fermilab.yaml b/projects/Fermilab.yaml
index 3cf07dd48..0b08bf9de 100644
--- a/projects/Fermilab.yaml
+++ b/projects/Fermilab.yaml
@@ -7,3 +7,4 @@ PIName: Joe Boyd
Sponsor:
VirtualOrganization:
Name: Fermilab
+FieldOfScienceID: '40.08'
diff --git a/projects/Flightworthy.yaml b/projects/Flightworthy.yaml
index 5eced7b7e..25c23602b 100644
--- a/projects/Flightworthy.yaml
+++ b/projects/Flightworthy.yaml
@@ -9,3 +9,4 @@ ID: '654'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/Fluka.yaml b/projects/Fluka.yaml
index cc1c502d1..59f55b7d5 100644
--- a/projects/Fluka.yaml
+++ b/projects/Fluka.yaml
@@ -7,3 +7,4 @@ PIName: Sunil Chitra
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/FutureColliders.yaml b/projects/FutureColliders.yaml
index f810610d7..8e2771fb0 100644
--- a/projects/FutureColliders.yaml
+++ b/projects/FutureColliders.yaml
@@ -1,8 +1,7 @@
Department: High Energy Physics
-Description: 'Studies of physics potential of future high-energy experiments
-
- (VLHC, FCC) with performance significantly beyond the Large Hadron Collider. The
- project will focus on Monte Carlo simulations for future energy fronter at DOE'
+Description: "Studies of physics potential of future high-energy experiments\n(VLHC,
+ FCC) with performance significantly beyond the Large Hadron Collider. The project
+ will focus on Monte Carlo simulations for future energy fronter at DOE"
FieldOfScience: High Energy Physics
ID: '177'
Organization: Argonne National Laboratory
@@ -10,3 +9,4 @@ PIName: Sergei Chekanov
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/GATech_Brown.yaml b/projects/GATech_Brown.yaml
index b041fcaa9..c68315677 100644
--- a/projects/GATech_Brown.yaml
+++ b/projects/GATech_Brown.yaml
@@ -1,6 +1,6 @@
Description: Brain imaging to understand memory and spatial navigation
Department: Psychology
-FieldOfScience: Neuroscience
+FieldOfScience: Neuroscience
Organization: Georgia Institute of Technology
PIName: Thackery Brown
@@ -9,3 +9,4 @@ ID: '657'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.15'
diff --git a/projects/GATech_Chau.yaml b/projects/GATech_Chau.yaml
index 773293681..cfc3a5fb8 100644
--- a/projects/GATech_Chau.yaml
+++ b/projects/GATech_Chau.yaml
@@ -9,3 +9,4 @@ ID: '595'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/GATech_Coogan.yaml b/projects/GATech_Coogan.yaml
index 5ccf90490..7b6352350 100644
--- a/projects/GATech_Coogan.yaml
+++ b/projects/GATech_Coogan.yaml
@@ -1,7 +1,6 @@
-Description: We are attempting to run a simulation for Georgia Tech's
- Robotarium on our website when users upload run files. Our simulator is
- based on https://github.com/robotarium/robotarium_python_simulator ,
- with edits to certain functions.
+Description: We are attempting to run a simulation for Georgia Tech's Robotarium on
+ our website when users upload run files. Our simulator is based on https://github.com/robotarium/robotarium_python_simulator
+ , with edits to certain functions.
Department: Electrical and Computer Engineering
FieldOfScience: Electrical, Electronic, and Communications
Organization: Georgia Institute of Technology
@@ -10,3 +9,4 @@ PIName: Samuel Coogan
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '15.0405'
diff --git a/projects/GATech_Jezghani.yaml b/projects/GATech_Jezghani.yaml
index 67e35e16d..177dc3f3d 100644
--- a/projects/GATech_Jezghani.yaml
+++ b/projects/GATech_Jezghani.yaml
@@ -1,4 +1,7 @@
-Description: Free neutron and nuclear isotope beta decay is a sensitive test of the Standard Model and probe for BSM physics that complements high-energy efforts such as those at the LHC. Precision efforts such as the Nab experiment at ORNL rely on high-statistics simulations to constrain error. More details can be seen at https://nab.phys.virginia.edu.
+Description: Free neutron and nuclear isotope beta decay is a sensitive test of the
+ Standard Model and probe for BSM physics that complements high-energy efforts such
+ as those at the LHC. Precision efforts such as the Nab experiment at ORNL rely on
+ high-statistics simulations to constrain error. More details can be seen at https://nab.phys.virginia.edu.
Department: PACE
FieldOfScience: Physics
Organization: Georgia Institute of Technology
@@ -8,3 +11,4 @@ PIName: Aaron Jezghani
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/GATech_Lang.yaml b/projects/GATech_Lang.yaml
index 0086f08db..adfb7d007 100644
--- a/projects/GATech_Lang.yaml
+++ b/projects/GATech_Lang.yaml
@@ -1,4 +1,6 @@
-Description: Use a 3D thermal model to invert thermochronometer data for constraining the subsurface orientation and slip history of faults, exhumation of landscapes and sedimentation of basins.
+Description: Use a 3D thermal model to invert thermochronometer data for constraining
+ the subsurface orientation and slip history of faults, exhumation of landscapes
+ and sedimentation of basins.
Department: EAS
FieldOfScience: Earth Science
Organization: Georgia Institute of Technology
@@ -8,3 +10,4 @@ PIName: Karl Lang
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40'
diff --git a/projects/GATech_PACE.yaml b/projects/GATech_PACE.yaml
index 3db07ef0a..2c914670b 100644
--- a/projects/GATech_PACE.yaml
+++ b/projects/GATech_PACE.yaml
@@ -1,7 +1,6 @@
-Description: Partnership for an Advanced Computing Environment (PACE)
- provides faculty participants a sustainable leading-edge high
- performance computing (HPC) infrastructure with technical support
- services.
+Description: Partnership for an Advanced Computing Environment (PACE) provides faculty
+ participants a sustainable leading-edge high performance computing (HPC) infrastructure
+ with technical support services.
Department: PACE
FieldOfScience: Computer Science
Organization: Georgia Institute of Technology
@@ -12,3 +11,4 @@ ID: '775'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/GATech_Randall.yaml b/projects/GATech_Randall.yaml
index b6724a887..d152e6a1b 100644
--- a/projects/GATech_Randall.yaml
+++ b/projects/GATech_Randall.yaml
@@ -9,3 +9,4 @@ ID: '595'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/GATech_Ross.yaml b/projects/GATech_Ross.yaml
index 9b35ddf2c..d3b97e473 100644
--- a/projects/GATech_Ross.yaml
+++ b/projects/GATech_Ross.yaml
@@ -1,4 +1,5 @@
-Description: Facilitation for GATech H. Milton Stewart School of Industrial and Systems Engineering
+Description: Facilitation for GATech H. Milton Stewart School of Industrial and Systems
+ Engineering
Department: School of Industrial and Systems Engineering
FieldOfScience: Industrial and Manufacturing Engineering
Organization: Georgia Institute of Technology
@@ -9,3 +10,4 @@ ID: '798'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14'
diff --git a/projects/GATech_Sholl.yaml b/projects/GATech_Sholl.yaml
index 42dbebb8d..b01c28868 100644
--- a/projects/GATech_Sholl.yaml
+++ b/projects/GATech_Sholl.yaml
@@ -1,4 +1,9 @@
-Description: Atomically-detailed simulation methods (e.g. Molecular Dynamics, Monte Carlo and quantum chemistry methods) are used to develop models of molecular separations based on adsorption in structured nanoporous materials. These materials include zeolites, metal-organic framework materials, activated carbons and polymers. A long-term goal is the discovery of new adsorbent materials for a diverse range of chemical separations, a problem for which a very large search space exists.
+Description: Atomically-detailed simulation methods (e.g. Molecular Dynamics, Monte
+ Carlo and quantum chemistry methods) are used to develop models of molecular separations
+ based on adsorption in structured nanoporous materials. These materials include
+ zeolites, metal-organic framework materials, activated carbons and polymers. A long-term
+ goal is the discovery of new adsorbent materials for a diverse range of chemical
+ separations, a problem for which a very large search space exists.
Department: Chemical & Biomolecular Engineering
FieldOfScience: Chemistry
Organization: Georgia Institute of Technology
@@ -9,3 +14,4 @@ ID: '848'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/GATech_Taboada.yaml b/projects/GATech_Taboada.yaml
index 54451908c..9c8c5ae04 100644
--- a/projects/GATech_Taboada.yaml
+++ b/projects/GATech_Taboada.yaml
@@ -9,3 +9,4 @@ ID: '707'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/GLUEX.yaml b/projects/GLUEX.yaml
index 81dcc0677..f07ac8d73 100644
--- a/projects/GLUEX.yaml
+++ b/projects/GLUEX.yaml
@@ -7,3 +7,4 @@ PIName: Kurt Strosahl
Sponsor:
VirtualOrganization:
Name: JLab
+FieldOfScienceID: '40.0806'
diff --git a/projects/GPCRbinders.yaml b/projects/GPCRbinders.yaml
index 4935b5ce2..3cdd84063 100644
--- a/projects/GPCRbinders.yaml
+++ b/projects/GPCRbinders.yaml
@@ -9,3 +9,4 @@ PIName: Christopher Bahl
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/GPN.yaml b/projects/GPN.yaml
index eacf24fcb..995ec7e8f 100644
--- a/projects/GPN.yaml
+++ b/projects/GPN.yaml
@@ -7,3 +7,4 @@ PIName: James Deaton
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30'
diff --git a/projects/GRAPLEr.yaml b/projects/GRAPLEr.yaml
index 7a36b0a56..81425829b 100644
--- a/projects/GRAPLEr.yaml
+++ b/projects/GRAPLEr.yaml
@@ -1,25 +1,24 @@
Department: N/A
Description: The GLEON Research And PRAGMA Lake Expedition (GRAPLE) is a collaborative
- effort between computer science and lake ecology researchers. It aims to
- improve our understanding and predictive capacity of the threats to the
- water quality of our freshwater resources, including climate change.
- GRAPLEr is a distributed computing system used to address the modeling needs
- of GRAPLE researchers. GRAPLEr integrates and applies overlay virtual
- network, high-throughput computing, and Web service technologies in a novel
- way. First, its user-level IP-over-P2P (IPOP) overlay network allows compute
- and storage resources distributed across independently-administered
- institutions (including private and public clouds) to be aggregated into a
- common virtual network, despite the presence of firewalls and network
- address translators. Second, resources aggregated by the IPOP virtual
- network run unmodified high-throughput computing middleware (HTCondor) to
- enable large numbers of model simulations to be executed concurrently across
- the distributed computing resources. Third, a Web service interface allows
- end users to submit job requests to the system using client libraries that
- integrate with the R statistical computing environment.
+ effort between computer science and lake ecology researchers. It aims to improve
+ our understanding and predictive capacity of the threats to the water quality of
+ our freshwater resources, including climate change. GRAPLEr is a distributed computing
+ system used to address the modeling needs of GRAPLE researchers. GRAPLEr integrates
+ and applies overlay virtual network, high-throughput computing, and Web service
+ technologies in a novel way. First, its user-level IP-over-P2P (IPOP) overlay network
+ allows compute and storage resources distributed across independently-administered
+ institutions (including private and public clouds) to be aggregated into a common
+ virtual network, despite the presence of firewalls and network address translators.
+ Second, resources aggregated by the IPOP virtual network run unmodified high-throughput
+ computing middleware (HTCondor) to enable large numbers of model simulations to
+ be executed concurrently across the distributed computing resources. Third, a Web
+ service interface allows end users to submit job requests to the system using client
+ libraries that integrate with the R statistical computing environment.
FieldOfScience: Ecological and Environmental Sciences
ID: '574'
-Organization: Pacific Rim Application and Grid Middleware Assembly (PRAGMA)
+Organization: Pacific Rim Application and Grid Middleware Assembly (PRAGMA)
PIName: Shava Smallen
Sponsor:
CampusGrid:
- Name: OSG Connect
\ No newline at end of file
+ Name: OSG Connect
+FieldOfScienceID: '51.2202'
diff --git a/projects/GRASP.yaml b/projects/GRASP.yaml
index f0ae954e4..b2601a3b7 100644
--- a/projects/GRASP.yaml
+++ b/projects/GRASP.yaml
@@ -1,7 +1,6 @@
Department: Physics
-Description: "Atomic structure calculations based on multiconfiguration Dirac\u2013\
- Hartree\u2013Fock theory utilizing Grasp2k, a general-purpose relativistic atomic\
- \ structure package."
+Description: Atomic structure calculations based on multiconfiguration Dirac–Hartree–Fock
+ theory utilizing Grasp2k, a general-purpose relativistic atomic structure package.
FieldOfScience: Physics and astronomy
ID: '102'
Organization: University of Toledo
@@ -9,3 +8,4 @@ PIName: Richard Irving
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.1101'
diff --git a/projects/GRScorrelation.yaml b/projects/GRScorrelation.yaml
index fa96dfc84..c3453cf2a 100644
--- a/projects/GRScorrelation.yaml
+++ b/projects/GRScorrelation.yaml
@@ -1,5 +1,5 @@
Department: Mathematics
-Description: 'We calculate the autocorrelation merit factors for Golay-Shapiro-Rudin-like
+Description: "We calculate the autocorrelation merit factors for Golay-Shapiro-Rudin-like
sequences and the crosscorrelation merit factors for pairs of such sequences. Each
of the 2^n seed sequences of length n gives rise to an infinite family of sequences,
and we have asymptotic formulas (see our preprint at arXiv: 1702.07697 [math.NT])
@@ -10,12 +10,10 @@ Description: 'We calculate the autocorrelation merit factors for Golay-Shapiro-R
of length 28. And we would like to extend Tables 1 and 3 of our paper (minimum autocorrelation
and minimum combined measure among those sequences of minimum autocorrelation) to
seeds of length 52, because we have a conjectue that something interesting may happen
- at length 52. We expect that the extension of T!
-
- ables 1 and 3 will require about 130,000 runs, each of which would take about an
- hour each on a single thread of a typical workstation. And we expect that the extension
- of Table 2 will require about 45,000 runs taking about 45 minutes each in a similar
- situation.'
+ at length 52. We expect that the extension of T!\nables 1 and 3 will require about
+ 130,000 runs, each of which would take about an hour each on a single thread of
+ a typical workstation. And we expect that the extension of Table 2 will require
+ about 45,000 runs taking about 45 minutes each in a similar situation."
FieldOfScience: Mathematical Sciences
ID: '451'
Organization: California State University, Northridge
@@ -23,3 +21,4 @@ PIName: Daniel J. Katz
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27'
diff --git a/projects/GSU_ARCTIC.yaml b/projects/GSU_ARCTIC.yaml
index b3a0ca405..bd6c289d1 100644
--- a/projects/GSU_ARCTIC.yaml
+++ b/projects/GSU_ARCTIC.yaml
@@ -3,3 +3,4 @@ Description: https://arctic.gsu.edu/
FieldOfScience: Research Computing
Organization: Georgia State University
PIName: Suranga Edirisinghe
+FieldOfScienceID: '11.9999'
diff --git a/projects/GSU_Maimon.yaml b/projects/GSU_Maimon.yaml
index a5c70ac35..1cd630255 100644
--- a/projects/GSU_Maimon.yaml
+++ b/projects/GSU_Maimon.yaml
@@ -8,3 +8,4 @@ PIName: David Maimon
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '52'
diff --git a/projects/GTConvertHTC.yaml b/projects/GTConvertHTC.yaml
index ce62a8896..de7b11151 100644
--- a/projects/GTConvertHTC.yaml
+++ b/projects/GTConvertHTC.yaml
@@ -7,3 +7,4 @@ PIName: Mehmet Belgin
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30'
diff --git a/projects/GWU_OTSStaff.yaml b/projects/GWU_OTSStaff.yaml
index ecc3c31c5..0c08ee11c 100644
--- a/projects/GWU_OTSStaff.yaml
+++ b/projects/GWU_OTSStaff.yaml
@@ -1,4 +1,9 @@
-Description: The Columbian College Office of Technology Services (OTS) is the primary technology services provider for the Columbian College of Arts and Sciences. OTS implements technology strategy, policies, and operational procedures in support of the College's instructional, research, and administrative functions. Serving a total user population of 9,000 constituents spread across five campuses, OTS strives to provide fast, reliable, and efficient service. https://ots.columbian.gwu.edu/
+Description: The Columbian College Office of Technology Services (OTS) is the primary
+ technology services provider for the Columbian College of Arts and Sciences. OTS
+ implements technology strategy, policies, and operational procedures in support
+ of the College's instructional, research, and administrative functions. Serving
+ a total user population of 9,000 constituents spread across five campuses, OTS strives
+ to provide fast, reliable, and efficient service. https://ots.columbian.gwu.edu/
Department: Office of Technology Services
FieldOfScience: Computer and Information Sciences
Organization: George Washington University
@@ -9,3 +14,4 @@ ID: '703'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/GWU_Orti.yaml b/projects/GWU_Orti.yaml
index 7d4e98cdd..e5ce82865 100644
--- a/projects/GWU_Orti.yaml
+++ b/projects/GWU_Orti.yaml
@@ -1,6 +1,5 @@
-Description: Evolutionary biology of fishes. Application of genome-wide exon
- markers to infer fish phylogenies, based on target capture approaches and
- next-gen sequencing.
+Description: Evolutionary biology of fishes. Application of genome-wide exon markers
+ to infer fish phylogenies, based on target capture approaches and next-gen sequencing.
Department: Department of Biological Sciences
FieldOfScience: Life Sciences. Other Sciences
Organization: George Washington University
@@ -11,3 +10,4 @@ ID: '792'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1303'
diff --git a/projects/GWU_TikidjiHamburyan.yaml b/projects/GWU_TikidjiHamburyan.yaml
index df922b687..817f01dd2 100644
--- a/projects/GWU_TikidjiHamburyan.yaml
+++ b/projects/GWU_TikidjiHamburyan.yaml
@@ -1,4 +1,6 @@
-Description: We are interested in mechanisms of establishing connectivity in the brain during the critical pre- and postnatal periods. The main focus of this project is on non-linear dynamics in growing networks.
+Description: We are interested in mechanisms of establishing connectivity in the brain
+ during the critical pre- and postnatal periods. The main focus of this project is
+ on non-linear dynamics in growing networks.
Department: School of Medicine and Health Sciences
FieldOfScience: Biological Sciences
Organization: George Washington University
@@ -9,3 +11,4 @@ ID: '640'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/GanForAuto.yaml b/projects/GanForAuto.yaml
index 62bcf0cf9..b6f41def7 100644
--- a/projects/GanForAuto.yaml
+++ b/projects/GanForAuto.yaml
@@ -1,12 +1,12 @@
Department: Electrical and Computer Engineering
-Description: "Test Case Generation For ADAS Validation Via Cycle GAN\nToday\u2019\
- s automobile is equipped with a large amount of electronic circuits to achieve intelligent\
- \ functions, such as collision avoidance, traffic sign detection, etc., for autonomous\
- \ driving. To meet the safety standard, ensuring extremely small failure probability\
- \ over all possible operation conditions is one of the critical tasks for an autonomous\
- \ driving system. However, physically observing all these corner cases over a long\
- \ time is almost impossible in practice. In this project, we use machine learning\
- \ algorithms to efficiently generate corner cases that are not easy to observe."
+Description: "Test Case Generation For ADAS Validation Via Cycle GAN\nToday’s automobile
+ is equipped with a large amount of electronic circuits to achieve intelligent functions,
+ such as collision avoidance, traffic sign detection, etc., for autonomous driving.
+ To meet the safety standard, ensuring extremely small failure probability over all
+ possible operation conditions is one of the critical tasks for an autonomous driving
+ system. However, physically observing all these corner cases over a long time is
+ almost impossible in practice. In this project, we use machine learning algorithms
+ to efficiently generate corner cases that are not easy to observe."
FieldOfScience: Engineering
ID: '438'
Organization: Duke University
@@ -14,3 +14,4 @@ PIName: Xin Li
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14'
diff --git a/projects/Gateway_DistribMedicalAI.yaml b/projects/Gateway_DistribMedicalAI.yaml
index 9d4623ebe..dbbae9092 100644
--- a/projects/Gateway_DistribMedicalAI.yaml
+++ b/projects/Gateway_DistribMedicalAI.yaml
@@ -1,9 +1,10 @@
-Description: Developing a job submission template for common medical AI imaging applications.
+Description: Developing a job submission template for common medical AI imaging applications.
Department: Mathematics
FieldOfScience: Medical Imaging
-Organization: Rowan University
-PIName: Hieu Nguyen
+Organization: Rowan University
+PIName: Hieu Nguyen
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '51'
diff --git a/projects/Genie.yaml b/projects/Genie.yaml
index c7ef800d4..385e3faf3 100644
--- a/projects/Genie.yaml
+++ b/projects/Genie.yaml
@@ -12,3 +12,4 @@ PIName: Gabriel Nathan Perdue
Sponsor:
VirtualOrganization:
Name: Fermilab
+FieldOfScienceID: '40.08'
diff --git a/projects/GenomicIntegration.yaml b/projects/GenomicIntegration.yaml
index 677729d1e..155635586 100644
--- a/projects/GenomicIntegration.yaml
+++ b/projects/GenomicIntegration.yaml
@@ -7,3 +7,4 @@ PIName: Casey Greene
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/GeoTunnel.yaml b/projects/GeoTunnel.yaml
index 4fff99082..ce0c2fe0a 100644
--- a/projects/GeoTunnel.yaml
+++ b/projects/GeoTunnel.yaml
@@ -7,3 +7,4 @@ PIName: Elena Guardincerri
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0806'
diff --git a/projects/GlassySystems.yaml b/projects/GlassySystems.yaml
index 19e465379..7dd072706 100644
--- a/projects/GlassySystems.yaml
+++ b/projects/GlassySystems.yaml
@@ -1,20 +1,15 @@
Department: Chemistry
-Description: 'Studies of static and dynamic properties of glassy systems.
-
-
- See also: http://www.columbia.edu/cu/chemistry/groups/reichman/
-
-
- The dynamics and static properties of glassy systems can be studied in great detail
- by simple model systems, either those on a lattice or those consisting of mixtures
- of spherical particles. In order to do that, one can use any many techniques generally
- under the umbrella of Monte Carlo Sampling or Molecular Dynamics. In order to get
- detailed properties, is is often advantageous or necessary to run a large number
- of independent simulations, and to calculate properties averaged over these simulations.
- It may also be necessary to study these systems with a range of parameter values,
- e.g. temperature or system size. Hence, this problem lends itself well to high throughput
- computing, at least for cases where the individual simulations comprising a workflow
- are not too long.'
+Description: "Studies of static and dynamic properties of glassy systems.\n\nSee also:
+ http://www.columbia.edu/cu/chemistry/groups/reichman/\n\nThe dynamics and static
+ properties of glassy systems can be studied in great detail by simple model systems,
+ either those on a lattice or those consisting of mixtures of spherical particles.
+ In order to do that, one can use any many techniques generally under the umbrella
+ of Monte Carlo Sampling or Molecular Dynamics. In order to get detailed properties,
+ is is often advantageous or necessary to run a large number of independent simulations,
+ and to calculate properties averaged over these simulations. It may also be necessary
+ to study these systems with a range of parameter values, e.g. temperature or system
+ size. Hence, this problem lends itself well to high throughput computing, at least
+ for cases where the individual simulations comprising a workflow are not too long."
FieldOfScience: Chemistry
ID: '23'
Organization: Columbia University
@@ -22,3 +17,4 @@ PIName: David Reichman
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/GlobalDH.yaml b/projects/GlobalDH.yaml
index ef9ec5ca4..002484737 100644
--- a/projects/GlobalDH.yaml
+++ b/projects/GlobalDH.yaml
@@ -7,3 +7,4 @@ PIName: Kang Wang
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.06'
diff --git a/projects/Groundhog.yaml b/projects/Groundhog.yaml
index c2ef65f4d..d449d8eed 100644
--- a/projects/Groundhog.yaml
+++ b/projects/Groundhog.yaml
@@ -9,3 +9,4 @@ PIName: Eric Halgren
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.15'
diff --git a/projects/Guam_Bentlage.yaml b/projects/Guam_Bentlage.yaml
index 498e8a20c..0824d0c55 100644
--- a/projects/Guam_Bentlage.yaml
+++ b/projects/Guam_Bentlage.yaml
@@ -1,4 +1,5 @@
-Description: Marine science bioinformatics - analyzing phylogenetic trees, blasting sequences, read mapping
+Description: Marine science bioinformatics - analyzing phylogenetic trees, blasting
+ sequences, read mapping
Department: Marine Laboratory
FieldOfScience: Biological Sciences
Organization: University of Guam
@@ -9,3 +10,4 @@ ID: '651'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/HASHA.yaml b/projects/HASHA.yaml
index 4461733d7..f380eab37 100644
--- a/projects/HASHA.yaml
+++ b/projects/HASHA.yaml
@@ -1,10 +1,9 @@
Department: Biology
-Description: "Program uses NCBI\u2019s Entrez.efetch on the nucleotide database to\
- \ take in large number of sequences and searches the sequences for palindromes ranging\
- \ in size from 4 to 20 and appends the results to a list. The program then takes\
- \ each palindrome and checks for its occurrence on the 11 genes of the influenza\
- \ A virus\u2019s and outputs every match of the palindrome with relevant sequence\
- \ Information."
+Description: Program uses NCBI’s Entrez.efetch on the nucleotide database to take
+ in large number of sequences and searches the sequences for palindromes ranging
+ in size from 4 to 20 and appends the results to a list. The program then takes each
+ palindrome and checks for its occurrence on the 11 genes of the influenza A virus’s
+ and outputs every match of the palindrome with relevant sequence Information.
FieldOfScience: Bioinformatics
ID: '463'
Organization: Arcadia University
@@ -12,3 +11,4 @@ PIName: Brian Cheda
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/HCBData.yaml b/projects/HCBData.yaml
index 0595aecfb..9e17b966b 100644
--- a/projects/HCBData.yaml
+++ b/projects/HCBData.yaml
@@ -14,3 +14,4 @@ PIName: Brad Minnery
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/HCCLocalSubmit.yaml b/projects/HCCLocalSubmit.yaml
index e0c13b408..6c7b552bd 100644
--- a/projects/HCCLocalSubmit.yaml
+++ b/projects/HCCLocalSubmit.yaml
@@ -7,3 +7,4 @@ PIName: Derek Weitzel
Sponsor:
VirtualOrganization:
Name: HCC
+FieldOfScienceID: nan
diff --git a/projects/HCC_staff.yaml b/projects/HCC_staff.yaml
index 02197bdd0..556631a2b 100644
--- a/projects/HCC_staff.yaml
+++ b/projects/HCC_staff.yaml
@@ -3,3 +3,4 @@ Department: Holland Computing Center
FieldOfScience: Computer Science
Organization: University of Nebraska-Lincoln
PIName: Adam Caprez
+FieldOfScienceID: '11.07'
diff --git a/projects/HL-LHC-TP.yaml b/projects/HL-LHC-TP.yaml
index 32a9f8600..16423f043 100644
--- a/projects/HL-LHC-TP.yaml
+++ b/projects/HL-LHC-TP.yaml
@@ -10,3 +10,4 @@ PIName: Meenakshi Narain
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '40.08'
diff --git a/projects/HPS.yaml b/projects/HPS.yaml
index c7906b2a8..1aecd583b 100644
--- a/projects/HPS.yaml
+++ b/projects/HPS.yaml
@@ -7,3 +7,4 @@ PIName: Thomas Britton
Sponsor:
VirtualOrganization:
Name: JLab
+FieldOfScienceID: '40.0806'
diff --git a/projects/HRRRMining.yaml b/projects/HRRRMining.yaml
index 65979af06..4269a0532 100644
--- a/projects/HRRRMining.yaml
+++ b/projects/HRRRMining.yaml
@@ -11,3 +11,4 @@ PIName: Brian Blaylock
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.06'
diff --git a/projects/HTCC.yaml b/projects/HTCC.yaml
index 7b21335bd..53f469336 100644
--- a/projects/HTCC.yaml
+++ b/projects/HTCC.yaml
@@ -8,3 +8,4 @@ PIName: Rob Quick
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: nan
diff --git a/projects/Harvard_Fox.yaml b/projects/Harvard_Fox.yaml
index b77b895be..e3c7d67eb 100644
--- a/projects/Harvard_Fox.yaml
+++ b/projects/Harvard_Fox.yaml
@@ -1,5 +1,5 @@
-Description: Computational analysis of functional neuroimaging data to
- identify brain circuits and potential therapeutic stimulation targets.
+Description: Computational analysis of functional neuroimaging data to identify brain
+ circuits and potential therapeutic stimulation targets.
Department: Center for Brain Circuit Therapeutics / Neurology
FieldOfScience: Biological and Biomedical Sciences
Organization: Harvard University
@@ -8,3 +8,4 @@ PIName: Michael Fox
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.0102'
diff --git a/projects/Harvard_Wofsy.yaml b/projects/Harvard_Wofsy.yaml
index 34f5545a4..c6ad7d032 100644
--- a/projects/Harvard_Wofsy.yaml
+++ b/projects/Harvard_Wofsy.yaml
@@ -1,5 +1,5 @@
-Description: The goal is to measure methane emissions from major source regions
- in the US, in order to facilitate reduction of these emissions.
+Description: The goal is to measure methane emissions from major source regions in
+ the US, in order to facilitate reduction of these emissions.
Department: Department of Earth and Planetary Sciences
FieldOfScience: Atmospheric Sciences
Organization: Harvard University
@@ -8,3 +8,4 @@ PIName: Steven Wofsy
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.04'
diff --git a/projects/Hawaii_Dodds.yaml b/projects/Hawaii_Dodds.yaml
index d57e66689..8eadbf47d 100644
--- a/projects/Hawaii_Dodds.yaml
+++ b/projects/Hawaii_Dodds.yaml
@@ -1,10 +1,9 @@
-Description: We experimentally develop efficient means of distribution to
- federated national cyberinfrastructure (CI) platforms of Hawaii astronomy
- big data sets. We will demonstrate use of these data sets with OSG and other
- CI platforms using SOTA AI/ML research methods applied to astronomy and
- astrophysics research questions. We hope to publish a collection of
- canonical ML models that work efficiently with these astronomy big data
- sets utilizing national, regional and campus CI resources.
+Description: We experimentally develop efficient means of distribution to federated
+ national cyberinfrastructure (CI) platforms of Hawaii astronomy big data sets. We
+ will demonstrate use of these data sets with OSG and other CI platforms using SOTA
+ AI/ML research methods applied to astronomy and astrophysics research questions.
+ We hope to publish a collection of canonical ML models that work efficiently with
+ these astronomy big data sets utilizing national, regional and campus CI resources.
Department: Institute for Astronomy
FieldOfScience: Computer and Information Sciences
Organization: University of Hawaii at Manoa
@@ -13,3 +12,4 @@ PIName: Stanley Dodds
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/Hawaii_Doetinchem.yaml b/projects/Hawaii_Doetinchem.yaml
index 1e11596f7..458af20d8 100644
--- a/projects/Hawaii_Doetinchem.yaml
+++ b/projects/Hawaii_Doetinchem.yaml
@@ -1,11 +1,15 @@
-Description: This project intends to simulate the production of anti-helium-3 and anti-helium-4 in proton-proton collisions at different cosmic-ray energies. This is done by using the EPOS-LHC hadronic model and applying an energy-dependent coalescence afterburner.
+Description: This project intends to simulate the production of anti-helium-3 and
+ anti-helium-4 in proton-proton collisions at different cosmic-ray energies. This
+ is done by using the EPOS-LHC hadronic model and applying an energy-dependent coalescence
+ afterburner.
Department: Physics and Astronomy
FieldOfScience: Physics
Organization: University of Hawaii at Manoa
-PIName: Philip von Doetinchem
+PIName: Philip von Doetinchem
ID: '580'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/Hawaii_Gorham.yaml b/projects/Hawaii_Gorham.yaml
index 5bc1cd4e4..0b3e5dddb 100644
--- a/projects/Hawaii_Gorham.yaml
+++ b/projects/Hawaii_Gorham.yaml
@@ -1,5 +1,8 @@
Department: Astrophysics
-Description: Monte Carlo simulations for The Antarctic Impulsive Transient Antenna (ANITA) project. ANITA is a NASA-funded long-duration stratospheric balloon experiment designed to detect ultra-high energy neutrinos and cosmic rays through wideband radio emission from particle showers in the ice and atmosphere.
+Description: Monte Carlo simulations for The Antarctic Impulsive Transient Antenna
+ (ANITA) project. ANITA is a NASA-funded long-duration stratospheric balloon experiment
+ designed to detect ultra-high energy neutrinos and cosmic rays through wideband
+ radio emission from particle showers in the ice and atmosphere.
FieldOfScience: Computer and Information Services
ID: '603'
Organization: University of Hawaii at Manoa
@@ -7,3 +10,4 @@ PIName: Peter W. Gorham
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.01'
diff --git a/projects/HealthInformatics.yaml b/projects/HealthInformatics.yaml
index 7bbc9903c..5b69a003c 100644
--- a/projects/HealthInformatics.yaml
+++ b/projects/HealthInformatics.yaml
@@ -1,5 +1,5 @@
Department: Biomedical and Health Informatics
-Description: 'My research focuses on detecting patterns in physiological data of patients
+Description: "My research focuses on detecting patterns in physiological data of patients
in an Intensive Care Unit setting, with the aim of constructing an early warning
system. The approach I am taking includes machine learning algorithms such as Artificial
Neural Networks, Hidden Markov Models, and Support Vector Machines. I presently
@@ -7,12 +7,10 @@ Description: 'My research focuses on detecting patterns in physiological data of
I am using for training and validation is both static and time based information
on 32,000 patients and includes approximately 30GB of raw data. Additionally I
have extremely high resolution data on 2,600 patient. The search-space is prohibitively
- large for a single computer and even some of the smaller clusters.
-
-
- I am employing an optimization methodology which allows for a differential evolution
- approach to incrementally improve a structurally adaptive model. The methodology
- allows for parallel programming which is of course a necessity for distributed computing.'
+ large for a single computer and even some of the smaller clusters.\n\nI am employing
+ an optimization methodology which allows for a differential evolution approach to
+ incrementally improve a structurally adaptive model. The methodology allows for
+ parallel programming which is of course a necessity for distributed computing."
FieldOfScience: Bioinformatics
ID: '358'
Organization: University of Washington
@@ -20,3 +18,4 @@ PIName: Karl Jablonowski
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/HypergraphDegreeSeq.yaml b/projects/HypergraphDegreeSeq.yaml
index a4c9d9fea..288e2b703 100644
--- a/projects/HypergraphDegreeSeq.yaml
+++ b/projects/HypergraphDegreeSeq.yaml
@@ -11,3 +11,4 @@ PIName: Sarah Lynne Behrens
Sponsor:
VirtualOrganization:
Name: HCC
+FieldOfScienceID: '27'
diff --git a/projects/IAState_ITStaff.yaml b/projects/IAState_ITStaff.yaml
index a59fe8747..bf11615c9 100644
--- a/projects/IAState_ITStaff.yaml
+++ b/projects/IAState_ITStaff.yaml
@@ -9,3 +9,4 @@ ID: '761'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 11.0701a
diff --git a/projects/IAState_Iadecola.yaml b/projects/IAState_Iadecola.yaml
index 84a74f6c9..a958681b2 100644
--- a/projects/IAState_Iadecola.yaml
+++ b/projects/IAState_Iadecola.yaml
@@ -1,4 +1,5 @@
-Description: Structure and nonequilibrium dynamics of disordered quantum many-body systems.
+Description: Structure and nonequilibrium dynamics of disordered quantum many-body
+ systems.
Department: Physics and Astronomy
FieldOfScience: Physics
Organization: Iowa State University
@@ -7,3 +8,4 @@ PIName: Thomas Iadecola
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/IBN130001-Plus.yaml b/projects/IBN130001-Plus.yaml
index 3923c7548..248c04fdb 100644
--- a/projects/IBN130001-Plus.yaml
+++ b/projects/IBN130001-Plus.yaml
@@ -7,3 +7,4 @@ PIName: Donald Krieger
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '26.15'
diff --git a/projects/IITPROSPECT.yaml b/projects/IITPROSPECT.yaml
index 127884848..6e10f413a 100644
--- a/projects/IITPROSPECT.yaml
+++ b/projects/IITPROSPECT.yaml
@@ -7,3 +7,4 @@ PIName: Bryce Littlejohn
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/IIT_Cheng.yaml b/projects/IIT_Cheng.yaml
index 43dac93a3..7409fe4b3 100644
--- a/projects/IIT_Cheng.yaml
+++ b/projects/IIT_Cheng.yaml
@@ -1,4 +1,5 @@
-Description: Developing high order invariant and equivariant graph neural networks for solving problems in various domains
+Description: Developing high order invariant and equivariant graph neural networks
+ for solving problems in various domains
Department: College of Computing
FieldOfScience: Mathematics
Organization: Illinois Institute of Technology
@@ -9,3 +10,4 @@ ID: '796'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27.01'
diff --git a/projects/IIT_Kang.yaml b/projects/IIT_Kang.yaml
index 1961e9529..8a18e3615 100644
--- a/projects/IIT_Kang.yaml
+++ b/projects/IIT_Kang.yaml
@@ -1,10 +1,11 @@
Description: Create new statistical learning methodologies and machine learning algorithms
-Department: Applied Mathematics
+Department: Applied Mathematics
FieldOfScience: Data Science
Organization: Illinois Institute of Technology
-PIName: Lulu Kang
+PIName: Lulu Kang
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30.7001'
diff --git a/projects/IIT_Li.yaml b/projects/IIT_Li.yaml
index 6f95bb31f..5241634e1 100644
--- a/projects/IIT_Li.yaml
+++ b/projects/IIT_Li.yaml
@@ -1,7 +1,9 @@
Description: >
- Develop Lagrangian particle methods for moving interface problems in fluid mechanics and materials science;
+ Develop Lagrangian particle methods for moving interface problems in fluid mechanics
+ and materials science;
Develop Physical Informed Neural network (PINN) for Green function-based methods.
-Department: Applied Mathematics
+Department: Applied Mathematics
FieldOfScience: Materials Science
Organization: Illinois Institute of Technology
-PIName: Shuwang Li
+PIName: Shuwang Li
+FieldOfScienceID: '40.1001'
diff --git a/projects/IIT_Minh.yaml b/projects/IIT_Minh.yaml
index bcadc8c9d..0db588e42 100644
--- a/projects/IIT_Minh.yaml
+++ b/projects/IIT_Minh.yaml
@@ -1,8 +1,9 @@
Description: >
- Computational scientists who focus on chemical biology, the interactions between
- small molecules and biological macromolecules. We develop and apply new methods that
+ Computational scientists who focus on chemical biology, the interactions between small
+ molecules and biological macromolecules. We develop and apply new methods that
may be helpful for structure-based drug design.
Department: Chemistry
FieldOfScience: Biological and Biomedical Sciences
Organization: Illinois Institute of Technology
PIName: David Minh
+FieldOfScienceID: '26'
diff --git a/projects/IIT_Rosa.yaml b/projects/IIT_Rosa.yaml
index 43a7c9d78..1d7abce6c 100644
--- a/projects/IIT_Rosa.yaml
+++ b/projects/IIT_Rosa.yaml
@@ -1,4 +1,5 @@
-Description: "Generating trajectories in high-dimensional parameter spaces using numerical continuation methods. The software repo is available here: https://github.com/nr-codes/BipedalGaitGeneration."
+Description: 'Generating trajectories in high-dimensional parameter spaces using numerical
+ continuation methods. The software repo is available here: https://github.com/nr-codes/BipedalGaitGeneration.'
Department: Mechanical, Materials, and Aerospace Engineering Deptartment
FieldOfScience: Mechanical Engineering
Organization: Illinois Institute of Technology
@@ -7,3 +8,4 @@ PIName: Nelson Rosa
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 14.1901b
diff --git a/projects/IIT_Wereszczynski.yaml b/projects/IIT_Wereszczynski.yaml
index c6c7b9a28..4acd46ca7 100644
--- a/projects/IIT_Wereszczynski.yaml
+++ b/projects/IIT_Wereszczynski.yaml
@@ -1,9 +1,10 @@
-Description: https://wereszczynskilab.org/research/
+Description: https://wereszczynskilab.org/research/
Department: Physics
-FieldOfScience: Biological and Biomedical Sciences
-Organization: Illinois Institute of Technology
+FieldOfScience: Biological and Biomedical Sciences
+Organization: Illinois Institute of Technology
PIName: Jeff Wereszczynski
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/IIT_Zhong.yaml b/projects/IIT_Zhong.yaml
index 69fb8928d..6aa9a5874 100644
--- a/projects/IIT_Zhong.yaml
+++ b/projects/IIT_Zhong.yaml
@@ -1,4 +1,7 @@
-Description: We conduct research on scientific machine learning, especially related to how machine learning can be used to learn and understand dynamical systems from observation data. Right now, we are developing models to understand synchronization, i.e. how oscillators can be put in sync with spatial patterns.
+Description: We conduct research on scientific machine learning, especially related
+ to how machine learning can be used to learn and understand dynamical systems from
+ observation data. Right now, we are developing models to understand synchronization,
+ i.e. how oscillators can be put in sync with spatial patterns.
Department: Appleid Mathematics
FieldOfScience: Appleid Mathematics
Organization: Illinois Institute of Technology
@@ -7,3 +10,4 @@ PIName: Ming Zhong
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27.03'
diff --git a/projects/IRIS-CI.yaml b/projects/IRIS-CI.yaml
index 505896b27..d8440cb3a 100644
--- a/projects/IRIS-CI.yaml
+++ b/projects/IRIS-CI.yaml
@@ -8,3 +8,4 @@ ID: '560'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/IRRI.yaml b/projects/IRRI.yaml
index 4ca57ad18..e9debae03 100644
--- a/projects/IRRI.yaml
+++ b/projects/IRRI.yaml
@@ -7,3 +7,4 @@ PIName: Mats Rynge
Sponsor:
CampusGrid:
Name: ISI
+FieldOfScienceID: '26.1103'
diff --git a/projects/IU-PTI_Airavata.yaml b/projects/IU-PTI_Airavata.yaml
index e73eb8089..bb0caa2cf 100644
--- a/projects/IU-PTI_Airavata.yaml
+++ b/projects/IU-PTI_Airavata.yaml
@@ -7,3 +7,4 @@ PIName: Rob Quick
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/IU_Tang.yaml b/projects/IU_Tang.yaml
index 51d501bb4..5fbe9e963 100644
--- a/projects/IU_Tang.yaml
+++ b/projects/IU_Tang.yaml
@@ -9,3 +9,4 @@ ID: '762'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/IVSelection.yaml b/projects/IVSelection.yaml
index 0e28dbcf8..abcaebd58 100644
--- a/projects/IVSelection.yaml
+++ b/projects/IVSelection.yaml
@@ -8,3 +8,4 @@ PIName: Hao Xu
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '45.0601'
diff --git a/projects/IceCube.yaml b/projects/IceCube.yaml
index d24c154de..5f4a2b8fa 100644
--- a/projects/IceCube.yaml
+++ b/projects/IceCube.yaml
@@ -1,20 +1,13 @@
Department: Physics
-Description: 'IceCube is the world''s largest neutrino detector. It is located at
- the South Pole and includes a cubic kilometer
-
- of instrumented ice. IceCube searches for neutrinos from the most violent astrophysical
- sources: events like exploding stars, gamma
-
- ray bursts, and cataclysmic phenomena involving black holes and neutron stars. The
- IceCube telescope is a powerful tool to search for
-
- dark matter, and could reveal the new physical processes associated with the enigmatic
- origin of the highest energy particles in
-
- nature. In addition, exploring the background of neutrinos produced in the atmosphere,
- IceCube studies the neutrinos themselves; their
-
- energies far exceed those produced by accelerator beams.'
+Description: "IceCube is the world's largest neutrino detector. It is located at the
+ South Pole and includes a cubic kilometer\nof instrumented ice. IceCube searches
+ for neutrinos from the most violent astrophysical sources: events like exploding
+ stars, gamma\nray bursts, and cataclysmic phenomena involving black holes and neutron
+ stars. The IceCube telescope is a powerful tool to search for\ndark matter, and
+ could reveal the new physical processes associated with the enigmatic origin of
+ the highest energy particles in\nnature. In addition, exploring the background of
+ neutrinos produced in the atmosphere, IceCube studies the neutrinos themselves;
+ their\nenergies far exceed those produced by accelerator beams."
FieldOfScience: Astrophysics
ID: '88'
Organization: University of Wisconsin-Madison
@@ -22,3 +15,4 @@ PIName: Francis Halzen
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0202'
diff --git a/projects/IceCube_2022_Halzen.yaml b/projects/IceCube_2022_Halzen.yaml
index 36e522beb..987360bb3 100644
--- a/projects/IceCube_2022_Halzen.yaml
+++ b/projects/IceCube_2022_Halzen.yaml
@@ -1,18 +1,17 @@
Department: Physics
-Description: 'IceCube is the world''s largest neutrino detector. It is located at
- the South Pole and includes a cubic kilometer
- of instrumented ice. IceCube searches for neutrinos from the most violent astrophysical
- sources: events like exploding stars, gamma
- ray bursts, and cataclysmic phenomena involving black holes and neutron stars. The
- IceCube telescope is a powerful tool to search for
- dark matter, and could reveal the new physical processes associated with the enigmatic
- origin of the highest energy particles in
- nature. In addition, exploring the background of neutrinos produced in the atmosphere,
- IceCube studies the neutrinos themselves; their
- energies far exceed those produced by accelerator beams.'
+Description: "IceCube is the world's largest neutrino detector. It is located at the
+ South Pole and includes a cubic kilometer of instrumented ice. IceCube searches
+ for neutrinos from the most violent astrophysical sources: events like exploding
+ stars, gamma ray bursts, and cataclysmic phenomena involving black holes and neutron
+ stars. The IceCube telescope is a powerful tool to search for dark matter, and could
+ reveal the new physical processes associated with the enigmatic origin of the highest
+ energy particles in nature. In addition, exploring the background of neutrinos produced
+ in the atmosphere, IceCube studies the neutrinos themselves; their energies far
+ exceed those produced by accelerator beams."
FieldOfScience: Astrophysics
Organization: University of Wisconsin-Madison
PIName: Francis Halzen
Sponsor:
CampusGrid:
Name: PATh Facility
+FieldOfScienceID: '40.0202'
diff --git a/projects/Illinois_2022_Tsokaros.yaml b/projects/Illinois_2022_Tsokaros.yaml
index a4c114fec..dbac1e750 100644
--- a/projects/Illinois_2022_Tsokaros.yaml
+++ b/projects/Illinois_2022_Tsokaros.yaml
@@ -1,9 +1,11 @@
-Description: Research includes general and numerical relativity, astrophysics, cosmology, and alternative theories of gravity.
+Description: Research includes general and numerical relativity, astrophysics, cosmology,
+ and alternative theories of gravity.
Department: Physics
FieldOfScience: Astrophysics
-Organization: University of Illinois Urbana-Champaign
+Organization: University of Illinois Urbana-Champaign
PIName: Antonios Tsokaros
Sponsor:
CampusGrid:
Name: PATh Facility
+FieldOfScienceID: '40.0202'
diff --git a/projects/Illinois_Jackson.yaml b/projects/Illinois_Jackson.yaml
index ea1291ccb..ab1023799 100644
--- a/projects/Illinois_Jackson.yaml
+++ b/projects/Illinois_Jackson.yaml
@@ -1,9 +1,10 @@
-Description: Electronic Structure Model Using Coarse-Grained Representations
+Description: Electronic Structure Model Using Coarse-Grained Representations
Department: Chemistry
FieldOfScience: Chemistry
-Organization: University of Illinois Urbana-Champaign
-PIName: Nicholas Jackson
+Organization: University of Illinois Urbana-Champaign
+PIName: Nicholas Jackson
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/Illinois_Petravick.yaml b/projects/Illinois_Petravick.yaml
index b18a8d3b5..88899c299 100644
--- a/projects/Illinois_Petravick.yaml
+++ b/projects/Illinois_Petravick.yaml
@@ -1,4 +1,6 @@
-Description: The CMB-S4 project is prototyping processing and data flow on the FABRIC testbed https://portal.fabric-testbed.net/. We are studying the use of HTCondor on FABRIC VM nodes in scenarios where data would arrive over high speed networks.
+Description: The CMB-S4 project is prototyping processing and data flow on the FABRIC
+ testbed https://portal.fabric-testbed.net/. We are studying the use of HTCondor
+ on FABRIC VM nodes in scenarios where data would arrive over high speed networks.
Department: National Center for Supercomputing Applications (NCSA)
FieldOfScience: Astronomy
Organization: University of Illinois Urbana-Champaign
@@ -7,3 +9,4 @@ PIName: Donald Petravick
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.02'
diff --git a/projects/Illinois_Vieira.yaml b/projects/Illinois_Vieira.yaml
index ecd72a78f..99228b557 100644
--- a/projects/Illinois_Vieira.yaml
+++ b/projects/Illinois_Vieira.yaml
@@ -1,4 +1,8 @@
-Description: The Observational Cosmology Laboratory (ObsCos) work explores the early universe through the echos of the big bang, known as the Cosmic Microwave Background (CMB). The ObsCos lab is developing cryogenic optics for next-generation CMB experiments. This R&D exposes students to clean-room tasks, software simulation, electronics, data acquisition and involvement in a large scale scientific research project.
+Description: The Observational Cosmology Laboratory (ObsCos) work explores the early
+ universe through the echos of the big bang, known as the Cosmic Microwave Background
+ (CMB). The ObsCos lab is developing cryogenic optics for next-generation CMB experiments.
+ This R&D exposes students to clean-room tasks, software simulation, electronics,
+ data acquisition and involvement in a large scale scientific research project.
Department: Astronomy
FieldOfScience: Astronomy
Organization: University of Illinois Urbana-Champaign
@@ -9,3 +13,4 @@ ID: '831'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.02'
diff --git a/projects/IngaCFMID.yaml b/projects/IngaCFMID.yaml
index 3c101bff3..0758e063b 100644
--- a/projects/IngaCFMID.yaml
+++ b/projects/IngaCFMID.yaml
@@ -14,3 +14,4 @@ PIName: Thomas A. Kursar
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/Internet2.yaml b/projects/Internet2.yaml
index 01eb28dd2..2fac1718e 100644
--- a/projects/Internet2.yaml
+++ b/projects/Internet2.yaml
@@ -9,3 +9,4 @@ ID: '634'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30.3001'
diff --git a/projects/Internet2_MS-CC.yaml b/projects/Internet2_MS-CC.yaml
index ec2e94435..01a98b08a 100644
--- a/projects/Internet2_MS-CC.yaml
+++ b/projects/Internet2_MS-CC.yaml
@@ -1,9 +1,13 @@
-Description: The Minority Serving - Cyberinfrastructure Consortium envisions a transformational partnership to promote advanced cyberinfrastructure capabilities on HBCU, HSI, TCU, and MSI campuses, with data; research computing; teaching; curriculum development and implementation; collaboration; and capacity-building connections among institutions.
-Department: MS-CC
-FieldOfScience: Computer and Information Sciences
+Description: The Minority Serving - Cyberinfrastructure Consortium envisions a transformational
+ partnership to promote advanced cyberinfrastructure capabilities on HBCU, HSI, TCU,
+ and MSI campuses, with data; research computing; teaching; curriculum development
+ and implementation; collaboration; and capacity-building connections among institutions.
+Department: MS-CC
+FieldOfScience: Computer and Information Sciences
Organization: Internet2
PIName: Ana Hunsinger
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.0901'
diff --git a/projects/JAM.yaml b/projects/JAM.yaml
index 952a72465..95391874c 100644
--- a/projects/JAM.yaml
+++ b/projects/JAM.yaml
@@ -7,3 +7,4 @@ PIName: Thomas Britton
Sponsor:
VirtualOrganization:
Name: JLab
+FieldOfScienceID: '40.0806'
diff --git a/projects/JHU_Howard.yaml b/projects/JHU_Howard.yaml
index 553e6533c..a229c15dc 100644
--- a/projects/JHU_Howard.yaml
+++ b/projects/JHU_Howard.yaml
@@ -1,7 +1,6 @@
Department: Mathematics
-Description: The goal of this project is to support and expand analysis
- of open source data for computational mathematics, data science, and
- operations research.
+Description: The goal of this project is to support and expand analysis of open source
+ data for computational mathematics, data science, and operations research.
FieldOfScience: Mathematical Sciences
ID: '742'
Organization: Johns Hopkins University
@@ -9,3 +8,4 @@ PIName: James P. Howard, II
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27.0301'
diff --git a/projects/JHU_Zhang.yaml b/projects/JHU_Zhang.yaml
index 4f42e0b9f..aff6e0963 100644
--- a/projects/JHU_Zhang.yaml
+++ b/projects/JHU_Zhang.yaml
@@ -1,5 +1,6 @@
-Description: Condensed matter theory with a focus on strongly correlated physics.
+Description: Condensed matter theory with a focus on strongly correlated physics.
FieldOfScience: Physics
Organization: Johns Hopkins University
Department: Department of Physics
PIName: Yahui Zhang
+FieldOfScienceID: '40.08'
diff --git a/projects/JLAB-TEST.yaml b/projects/JLAB-TEST.yaml
index 6657a8bad..45c2a5b92 100644
--- a/projects/JLAB-TEST.yaml
+++ b/projects/JLAB-TEST.yaml
@@ -2,7 +2,8 @@ Department: Physics
Description: Jefferson Lab's test experiment
FieldOfScience: Nuclear Physics
Organization: Jefferson Lab
-PIName: Kurt Strosahl
+PIName: Kurt Strosahl
Sponsor:
VirtualOrganization:
Name: JLab
+FieldOfScienceID: '40.0806'
diff --git a/projects/JLAB.EIC.yaml b/projects/JLAB.EIC.yaml
index b4ba4b75a..98259e4a6 100644
--- a/projects/JLAB.EIC.yaml
+++ b/projects/JLAB.EIC.yaml
@@ -7,3 +7,4 @@ PIName: Thomas Britton
Sponsor:
VirtualOrganization:
Name: JLab
+FieldOfScienceID: '40.0806'
diff --git a/projects/JLabMOLLER.yaml b/projects/JLabMOLLER.yaml
index e07cd9d15..eb5440c88 100644
--- a/projects/JLabMOLLER.yaml
+++ b/projects/JLabMOLLER.yaml
@@ -7,3 +7,4 @@ PIName: Wouter Deconinck
Sponsor:
VirtualOrganization:
Name: JLab
+FieldOfScienceID: '40.0806'
diff --git a/projects/JacksonLab_Awe.yaml b/projects/JacksonLab_Awe.yaml
index be4c5248a..e34dcc904 100644
--- a/projects/JacksonLab_Awe.yaml
+++ b/projects/JacksonLab_Awe.yaml
@@ -1,4 +1,5 @@
-Description: This study aims to develop a reusable pipeline to screen for IEMs using genomic data.
+Description: This study aims to develop a reusable pipeline to screen for IEMs using
+ genomic data.
Department: Computational Research Facilitation
FieldOfScience: Bioengineering & Biomedical Engineering
Organization: Jackson Laboratory for Genomic Medicine
@@ -7,3 +8,4 @@ PIName: Olaitan Awe
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.0501'
diff --git a/projects/JediNetworks.yaml b/projects/JediNetworks.yaml
index 77564d6f2..db4c3d362 100644
--- a/projects/JediNetworks.yaml
+++ b/projects/JediNetworks.yaml
@@ -8,3 +8,4 @@ PIName: Bradley Voytek
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.15'
diff --git a/projects/KORDrugdiscov.yaml b/projects/KORDrugdiscov.yaml
index 9ccddb0a1..57bdcf4ff 100644
--- a/projects/KORDrugdiscov.yaml
+++ b/projects/KORDrugdiscov.yaml
@@ -16,3 +16,4 @@ PIName: David Toth
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/KOTO.yaml b/projects/KOTO.yaml
index e988bef0f..a27a6e93d 100644
--- a/projects/KOTO.yaml
+++ b/projects/KOTO.yaml
@@ -31,7 +31,7 @@ Sponsor:
VirtualOrganization:
Name: OSG
-
+FieldOfScienceID: '40.08'
### Uncomment the ResourceAllocations block if this project can make use of
### one or more XRAC (XSEDE) or other HPC allocations.
###
diff --git a/projects/KSU_CIS625.yaml b/projects/KSU_CIS625.yaml
index 2fb370123..40b4ffead 100644
--- a/projects/KSU_CIS625.yaml
+++ b/projects/KSU_CIS625.yaml
@@ -9,3 +9,4 @@ ID: '749'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/KSU_Comer.yaml b/projects/KSU_Comer.yaml
index 31f38fb5f..50188451e 100644
--- a/projects/KSU_Comer.yaml
+++ b/projects/KSU_Comer.yaml
@@ -1,4 +1,5 @@
-Description: We use molecular simulation to better understand biological and synthetic nanoscale systems and interactions between them.
+Description: We use molecular simulation to better understand biological and synthetic
+ nanoscale systems and interactions between them.
Department: Department of Anatomy and Physiology
FieldOfScience: Health Sciences
Organization: Kansas State University
@@ -7,3 +8,4 @@ PIName: Jeff Comer
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '51'
diff --git a/projects/KSU_Li.yaml b/projects/KSU_Li.yaml
index b8725b746..8d160f7cd 100644
--- a/projects/KSU_Li.yaml
+++ b/projects/KSU_Li.yaml
@@ -1,4 +1,5 @@
-Description: Virtual screening of compound library using AutoDock Vina for the discovery of drug/inhibitor of NTMT1
+Description: Virtual screening of compound library using AutoDock Vina for the discovery
+ of drug/inhibitor of NTMT1
Department: Chemistry
FieldOfScience: Chemistry
Organization: Kansas State University
@@ -9,3 +10,4 @@ ID: '584'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/KSU_Ng.yaml b/projects/KSU_Ng.yaml
index e20055032..b10a1a63a 100644
--- a/projects/KSU_Ng.yaml
+++ b/projects/KSU_Ng.yaml
@@ -1,4 +1,5 @@
-Description: Structure-based drug discovery for cancer and immunology; computational structural biology and chemistry; protein photonics for imaging.
+Description: Structure-based drug discovery for cancer and immunology; computational
+ structural biology and chemistry; protein photonics for imaging.
Department: Chemistry
FieldOfScience: Chemistry
Organization: Kansas State University
@@ -9,3 +10,4 @@ ID: '827'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/KSU_Staff.yaml b/projects/KSU_Staff.yaml
index 58bf042c6..1c1755e15 100644
--- a/projects/KSU_Staff.yaml
+++ b/projects/KSU_Staff.yaml
@@ -9,3 +9,4 @@ ID: '663'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/KSU_Thumm.yaml b/projects/KSU_Thumm.yaml
index 88fa23659..ab70ab45c 100644
--- a/projects/KSU_Thumm.yaml
+++ b/projects/KSU_Thumm.yaml
@@ -1,10 +1,12 @@
-Description: Theoretical studies on the time-resolved dissociative ionization of triatomic molecules (currently CO2) in ultrashort laser pulses
-Department: Department of Physics
+Description: Theoretical studies on the time-resolved dissociative ionization of triatomic
+ molecules (currently CO2) in ultrashort laser pulses
+Department: Department of Physics
FieldOfScience: Atomic Physics
Organization: Kansas State University
-PIName: Uwe Thumm
+PIName: Uwe Thumm
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0802'
diff --git a/projects/Kennesaw_RC.yaml b/projects/Kennesaw_RC.yaml
index 2539f48b8..c28b3ec78 100644
--- a/projects/Kennesaw_RC.yaml
+++ b/projects/Kennesaw_RC.yaml
@@ -1,4 +1,5 @@
-Description: Facilitation/Consultation support for faculty with computing and data requirements at Kennesaw State
+Description: Facilitation/Consultation support for faculty with computing and data
+ requirements at Kennesaw State
Department: Computer Science
FieldOfScience: Computer Science
Organization: Kennesaw State University
@@ -7,3 +8,4 @@ PIName: Ramazan Aygun
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/KentState_Strickland.yaml b/projects/KentState_Strickland.yaml
index 07ab8cfe6..c6cc5ec22 100644
--- a/projects/KentState_Strickland.yaml
+++ b/projects/KentState_Strickland.yaml
@@ -7,3 +7,4 @@ PIName: Michael Strickland
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/KentState_Thomas.yaml b/projects/KentState_Thomas.yaml
index 536d3a460..c76668e50 100644
--- a/projects/KentState_Thomas.yaml
+++ b/projects/KentState_Thomas.yaml
@@ -6,3 +6,4 @@ PIName: Philip Thomas
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/KickstarterDataAnalysis.yaml b/projects/KickstarterDataAnalysis.yaml
index 02212409f..3d683ae9b 100644
--- a/projects/KickstarterDataAnalysis.yaml
+++ b/projects/KickstarterDataAnalysis.yaml
@@ -1,21 +1,19 @@
Department: Computation Institute
-Description: 'Project Description: Over the past five years, there has been a boom
+Description: "Project Description: Over the past five years, there has been a boom
in technology startups that continues to attract more and more talent. While everyone
starts with a million-dollar idea, only a few manage to transfer into real innovations
and impact our lives. What makes those ideas successful? Can you imagine an app
that tells you how innovative your idea is? This project will take a computational
approach to the understanding of innovation and develop a machinery to learn from
- real data to evaluate the creativity of new ideas.
-
- Innovation is a broad topic, constantly discussed in business, economics, sociology,
- etc. It is such a complex phenomenon that there is no thorough theory about it.
- Here we will take a combinatorial perspective: an idea is a combination of existing
- and new knowledge. Hence, the goal is to understand why certain combinations are
- more interesting than others. Specifically, the first step is to map out our idea
- space with data from kickstarter, US Patents, and possibly other knowledge databases.
- The second step is to find interesting patterns, associations and dynamics in this
- map of knowledge. And finally computational methods will be developed to evaluate
- the fitness of any idea in a given environment.'
+ real data to evaluate the creativity of new ideas.\nInnovation is a broad topic,
+ constantly discussed in business, economics, sociology, etc. It is such a complex
+ phenomenon that there is no thorough theory about it. Here we will take a combinatorial
+ perspective: an idea is a combination of existing and new knowledge. Hence, the
+ goal is to understand why certain combinations are more interesting than others.
+ Specifically, the first step is to map out our idea space with data from kickstarter,
+ US Patents, and possibly other knowledge databases. The second step is to find interesting
+ patterns, associations and dynamics in this map of knowledge. And finally computational
+ methods will be developed to evaluate the fitness of any idea in a given environment."
FieldOfScience: Statistics
ID: '155'
Organization: University of Chicago
@@ -23,3 +21,4 @@ PIName: Feng Bill Shi
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27.05'
diff --git a/projects/KnowledgeLab.yaml b/projects/KnowledgeLab.yaml
index ce6975b5f..909c6c20e 100644
--- a/projects/KnowledgeLab.yaml
+++ b/projects/KnowledgeLab.yaml
@@ -7,3 +7,4 @@ PIName: James Evans
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: nan
diff --git a/projects/KnowledgeSys.yaml b/projects/KnowledgeSys.yaml
index 174efc058..07abb9d8b 100644
--- a/projects/KnowledgeSys.yaml
+++ b/projects/KnowledgeSys.yaml
@@ -1,19 +1,18 @@
Department: Psychology
-Description: "In educational assessment, several questions must be answered when constructing\
- \ a test, such as \u201CHow many items are necessary for adequate knowledge measurement\
- \ precision?\u201D, \u201CHow many field-test students are needed to adequately\
- \ calibrate model parameters?\u201D, or \u201CWhich computerized adaptive testing\
- \ (CAT) algorithm performs best?\u201D For complex non-linear models, these questions\
- \ are typically approached by simulation: Model parameters are calibrated (as if\
- \ unknown) from simulated student item responses, or the emergent properties of\
- \ particular CAT algorithms are investigated with a large number of simulated test\
- \ takers. Since the design space grows quickly, many simulations are necessary to\
- \ understand general trends.\n\nMatch-for-OSG:\n\nSimulations throughout the test\
- \ design space can be run independently, requiring little coordination between cores.\
- \ Computations generally do not have high memory requirements or unusual library/code\
- \ dependencies, and computations can be recovered from checkpoints easily. The large\
- \ number of simulations suggests parallel computing, but the independence allows\
- \ an asynchronous, distributed environment, such as OSG."
+Description: "In educational assessment, several questions must be answered when constructing
+ a test, such as “How many items are necessary for adequate knowledge measurement
+ precision?”, “How many field-test students are needed to adequately calibrate model
+ parameters?”, or “Which computerized adaptive testing (CAT) algorithm performs best?”
+ For complex non-linear models, these questions are typically approached by simulation:
+ Model parameters are calibrated (as if unknown) from simulated student item responses,
+ or the emergent properties of particular CAT algorithms are investigated with a
+ large number of simulated test takers. Since the design space grows quickly, many
+ simulations are necessary to understand general trends.\n\nMatch-for-OSG:\n\nSimulations
+ throughout the test design space can be run independently, requiring little coordination
+ between cores. Computations generally do not have high memory requirements or unusual
+ library/code dependencies, and computations can be recovered from checkpoints easily.
+ The large number of simulations suggests parallel computing, but the independence
+ allows an asynchronous, distributed environment, such as OSG."
FieldOfScience: Educational Psychology
ID: '22'
Organization: University of Illinois Urbana-Champaign
@@ -21,3 +20,4 @@ PIName: Michael J. Culbertson
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '42.2806'
diff --git a/projects/KoBIV.yaml b/projects/KoBIV.yaml
index 781e1b4b2..cf1820321 100644
--- a/projects/KoBIV.yaml
+++ b/projects/KoBIV.yaml
@@ -7,3 +7,4 @@ PIName: Stanley Iat-Meng KO
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '52'
diff --git a/projects/LANL_Chennupati.yaml b/projects/LANL_Chennupati.yaml
index 30461e0a0..d9f0f7a04 100644
--- a/projects/LANL_Chennupati.yaml
+++ b/projects/LANL_Chennupati.yaml
@@ -2,10 +2,11 @@ Description: Training and examining machine learning models
Department: Los Alamos National Laboratory
FieldOfScience: Computer Sciences
Organization: Los Alamos National Lab
-PIName: Gopinath Chennupati
+PIName: Gopinath Chennupati
ID: '734'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 11.0701a
diff --git a/projects/LArSoft.yaml b/projects/LArSoft.yaml
index 21d52f958..52617ef9c 100644
--- a/projects/LArSoft.yaml
+++ b/projects/LArSoft.yaml
@@ -9,3 +9,4 @@ PIName: Erica Snider
Sponsor:
VirtualOrganization:
Name: Fermilab
+FieldOfScienceID: '40.08'
diff --git a/projects/LBNL_Jensen.yaml b/projects/LBNL_Jensen.yaml
index 9cf667b50..6cfe07587 100644
--- a/projects/LBNL_Jensen.yaml
+++ b/projects/LBNL_Jensen.yaml
@@ -3,3 +3,4 @@ Description: Spectral reconstruction of laser-driven secondary light sources
FieldOfScience: Physics
Organization: Lawrence Berkeley National Laboratory
PIName: Kyle Jensen
+FieldOfScienceID: '40.08'
diff --git a/projects/LEARN_CITeam.yaml b/projects/LEARN_CITeam.yaml
index b9e10ee68..3a0500db5 100644
--- a/projects/LEARN_CITeam.yaml
+++ b/projects/LEARN_CITeam.yaml
@@ -1,4 +1,5 @@
-Description: "CI Team for the Lonestar Education and Research Network (LEARN) including CTO staff. http://www.tx-learn.org/"
+Description: CI Team for the Lonestar Education and Research Network (LEARN) including
+ CTO staff. http://www.tx-learn.org/
Department: CTOStaff and Cyberinfrastructure Team
FieldOfScience: Multi-Science Community
Organization: Lonestar Education and Research Network
@@ -9,3 +10,4 @@ ID: '670'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30'
diff --git a/projects/LGAMUT.yaml b/projects/LGAMUT.yaml
index d02f52158..c5dbb9595 100644
--- a/projects/LGAMUT.yaml
+++ b/projects/LGAMUT.yaml
@@ -7,3 +7,4 @@ PIName: Debashis Ghosh
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/LIGO.yaml b/projects/LIGO.yaml
index 09df76fc4..f52e74099 100644
--- a/projects/LIGO.yaml
+++ b/projects/LIGO.yaml
@@ -7,3 +7,4 @@ PIName: Peter F. Couvares
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/LLNL_Sochat.yaml b/projects/LLNL_Sochat.yaml
index 5cc4a0e9d..a17626a49 100644
--- a/projects/LLNL_Sochat.yaml
+++ b/projects/LLNL_Sochat.yaml
@@ -7,3 +7,4 @@ PIName: Vanessa Sochat
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.01'
diff --git a/projects/LSMSA_Burkman.yaml b/projects/LSMSA_Burkman.yaml
index d8d6fde4c..54f221757 100644
--- a/projects/LSMSA_Burkman.yaml
+++ b/projects/LSMSA_Burkman.yaml
@@ -1,7 +1,7 @@
-Description: Solving optimization problems via genetic algorithms
+Description: Solving optimization problems via genetic algorithms
Department: Math and Computer Science
FieldOfScience: Computer Sciences
-Organization: Louisiana School for Math, Science, and the Arts
+Organization: Louisiana School for Math, Science, and the Arts
PIName: John Bradford Burkman
ID: '638'
@@ -9,3 +9,4 @@ ID: '638'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 11.0701a
diff --git a/projects/LSUHSC_CanavierLab.yaml b/projects/LSUHSC_CanavierLab.yaml
index 24ed3cec7..e6b157c79 100644
--- a/projects/LSUHSC_CanavierLab.yaml
+++ b/projects/LSUHSC_CanavierLab.yaml
@@ -1,4 +1,4 @@
-Description: "Nonlinear dynamics of single neurons and networks"
+Description: Nonlinear dynamics of single neurons and networks
Department: Cell Biology and Anatomy
FieldOfScience: Neuroscience
Organization: Louisiana State University Health Sciences Center
@@ -9,3 +9,4 @@ ID: '605'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.15'
diff --git a/projects/LSUHSC_Lin.yaml b/projects/LSUHSC_Lin.yaml
index ab03d17dc..b9003e812 100644
--- a/projects/LSUHSC_Lin.yaml
+++ b/projects/LSUHSC_Lin.yaml
@@ -1,4 +1,4 @@
-Description: "LASSO Variable Selection for Genetic Interaction Models"
+Description: LASSO Variable Selection for Genetic Interaction Models
Department: Biostatistics
FieldOfScience: Biostatistics
Organization: Louisiana State University Health Sciences Center
@@ -9,3 +9,4 @@ ID: '607'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1102'
diff --git a/projects/LSUHSC_Yu.yaml b/projects/LSUHSC_Yu.yaml
index 005a293bf..89cbce713 100644
--- a/projects/LSUHSC_Yu.yaml
+++ b/projects/LSUHSC_Yu.yaml
@@ -1,4 +1,4 @@
-Description: "Bayesian Mediation Analysis"
+Description: Bayesian Mediation Analysis
Department: Biostatistics
FieldOfScience: Health Sciences
Organization: Louisiana State University Health Sciences Center
@@ -9,3 +9,4 @@ ID: '755'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '51'
diff --git a/projects/LSU_Cox.yaml b/projects/LSU_Cox.yaml
index 07b18922c..a89a063bb 100644
--- a/projects/LSU_Cox.yaml
+++ b/projects/LSU_Cox.yaml
@@ -1,7 +1,10 @@
Description: >
- Using machine learning techniques that discover solutions with anatomically and temporally structured sparsity,
- we aim to test representational predictions from cognitive psychology using whole-brain neuroimaging datasets.
+ Using machine learning techniques that discover solutions with anatomically and
+ temporally structured sparsity,
+ we aim to test representational predictions from cognitive psychology using whole-brain
+ neuroimaging datasets.
Department: Department of Psychology
FieldOfScience: Behavioral Science
Organization: Louisiana State University
-PIName: Christopher Cox
+PIName: Christopher Cox
+FieldOfScienceID: '30.1701'
diff --git a/projects/LSU_Wilson.yaml b/projects/LSU_Wilson.yaml
index 0bf74d1db..5c549352e 100644
--- a/projects/LSU_Wilson.yaml
+++ b/projects/LSU_Wilson.yaml
@@ -1,4 +1,5 @@
-Description: The study of disorder effects in quantum materials and in far-from equilibrium quantum systems.
+Description: The study of disorder effects in quantum materials and in far-from equilibrium
+ quantum systems.
Department: Physics and Astronomy
FieldOfScience: Physics
Organization: Louisiana State University
@@ -7,3 +8,4 @@ PIName: Justin Wilson
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/LancasterPPS.yaml b/projects/LancasterPPS.yaml
index d5bb695c3..8f09eab15 100644
--- a/projects/LancasterPPS.yaml
+++ b/projects/LancasterPPS.yaml
@@ -9,3 +9,4 @@ ID: '568'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/Lariat.yaml b/projects/Lariat.yaml
index 76bff518a..9a630f61d 100644
--- a/projects/Lariat.yaml
+++ b/projects/Lariat.yaml
@@ -7,3 +7,4 @@ PIName: Joe Boyd
Sponsor:
VirtualOrganization:
Name: Fermilab
+FieldOfScienceID: '40.08'
diff --git a/projects/Leaderbipartite.yaml b/projects/Leaderbipartite.yaml
index 7d5865691..3ebfeb439 100644
--- a/projects/Leaderbipartite.yaml
+++ b/projects/Leaderbipartite.yaml
@@ -9,3 +9,4 @@ PIName: Jozsef Balogh
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27'
diff --git a/projects/Lg-Attenuation.yaml b/projects/Lg-Attenuation.yaml
index b1ef5988d..d653e868d 100644
--- a/projects/Lg-Attenuation.yaml
+++ b/projects/Lg-Attenuation.yaml
@@ -8,3 +8,4 @@ PIName: Andrea C Gallegos
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.06'
diff --git a/projects/LiuLab.yaml b/projects/LiuLab.yaml
index 41f3dcc49..7a3adcb86 100644
--- a/projects/LiuLab.yaml
+++ b/projects/LiuLab.yaml
@@ -8,3 +8,4 @@ PIName: Kevin Jensen Liu
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/LoyolaChicago_Li.yaml b/projects/LoyolaChicago_Li.yaml
index d5537e138..9f167f803 100644
--- a/projects/LoyolaChicago_Li.yaml
+++ b/projects/LoyolaChicago_Li.yaml
@@ -9,3 +9,4 @@ ID: '689'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/LyCfesc.yaml b/projects/LyCfesc.yaml
index 79b848d5c..eae2c5d75 100644
--- a/projects/LyCfesc.yaml
+++ b/projects/LyCfesc.yaml
@@ -1,4 +1,5 @@
-Description: Lyman continuum escape fraction. Monte Carlo simulations of galaxy light absorption.
+Description: Lyman continuum escape fraction. Monte Carlo simulations of galaxy light
+ absorption.
FieldOfScience: Astrophysics
Organization: Arizona State University
PIName: Rogier Windhorst
@@ -8,3 +9,4 @@ ID: '541'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0202'
diff --git a/projects/MCBI.yaml b/projects/MCBI.yaml
index 56f861b49..2e46a52d4 100644
--- a/projects/MCBI.yaml
+++ b/projects/MCBI.yaml
@@ -9,3 +9,4 @@ ID: '652'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '51'
diff --git a/projects/MCP.yaml b/projects/MCP.yaml
index 4e36965e9..f6c1e5866 100644
--- a/projects/MCP.yaml
+++ b/projects/MCP.yaml
@@ -9,3 +9,4 @@ PIName: C. S. Raman
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.0202'
diff --git a/projects/MCSimulations.yaml b/projects/MCSimulations.yaml
index 157e956ad..f41246f75 100644
--- a/projects/MCSimulations.yaml
+++ b/projects/MCSimulations.yaml
@@ -1,5 +1,8 @@
-Department: Mathematics, Statistics, and Physics
-Description: The project entails the calculation of the scattering cross sections for the the production of a Higgs boson in association of several jets for current and future collider experiments such as the CERN Large Hadron Collider. Scattering cross section calculation employ Monte Carlo simulation tools such as Herwig 7.
+Department: Mathematics, Statistics, and Physics
+Description: The project entails the calculation of the scattering cross sections
+ for the the production of a Higgs boson in association of several jets for current
+ and future collider experiments such as the CERN Large Hadron Collider. Scattering
+ cross section calculation employ Monte Carlo simulation tools such as Herwig 7.
FieldOfScience: High Energy Physics
ID: '590'
Organization: Wichita State University
@@ -7,3 +10,4 @@ PIName: Terrance Figy
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/MCSpinLiquid.yaml b/projects/MCSpinLiquid.yaml
index e7f104d4f..11829fe52 100644
--- a/projects/MCSpinLiquid.yaml
+++ b/projects/MCSpinLiquid.yaml
@@ -7,3 +7,4 @@ PIName: John McGreevy
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/MEEG-group.yaml b/projects/MEEG-group.yaml
index 040623732..c808881ae 100644
--- a/projects/MEEG-group.yaml
+++ b/projects/MEEG-group.yaml
@@ -1,5 +1,5 @@
Description: Interface between MEG/EEG tools and HTCondor
-Department: Institute for Neural Computation
+Department: Institute for Neural Computation
FieldOfScience: Neuroscience
Organization: University of California, San Diego
PIName: Arno Delorme
@@ -9,3 +9,4 @@ ID: '586'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.15'
diff --git a/projects/MFEKC.yaml b/projects/MFEKC.yaml
index 1bdf4cfdc..4d3e5f211 100644
--- a/projects/MFEKC.yaml
+++ b/projects/MFEKC.yaml
@@ -9,3 +9,4 @@ ID: '741'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/MFProteins.yaml b/projects/MFProteins.yaml
index 8aa2ea11f..a0a74a79b 100644
--- a/projects/MFProteins.yaml
+++ b/projects/MFProteins.yaml
@@ -9,3 +9,4 @@ ID: '571'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/MINT.yaml b/projects/MINT.yaml
index 9beb1001a..95a32b964 100644
--- a/projects/MINT.yaml
+++ b/projects/MINT.yaml
@@ -1,13 +1,13 @@
-Description: The Model INTegration (MINT) project will develop a
- modeling environment which will significantly reduce the time
- needed to develop new integrated models, while ensuring their
- utility and accuracy.
+Description: The Model INTegration (MINT) project will develop a modeling environment
+ which will significantly reduce the time needed to develop new integrated models,
+ while ensuring their utility and accuracy.
Department: Computer Science
FieldOfScience: Earth Sciences
Organization: ISI
PIName: Mats Rynge
Sponsor:
CampusGrid:
- ID: 14
- Name: OSG Connect
+ ID: 14
+ Name: OSG Connect
ID: 511
+FieldOfScienceID: '40.06'
diff --git a/projects/MIT_Akiyama.yaml b/projects/MIT_Akiyama.yaml
index 51ead3418..1ca45e30b 100644
--- a/projects/MIT_Akiyama.yaml
+++ b/projects/MIT_Akiyama.yaml
@@ -7,3 +7,4 @@ PIName: Kazunori Akiyama
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.02'
diff --git a/projects/MIT_Chakraborty.yaml b/projects/MIT_Chakraborty.yaml
index 4e065bf61..24530f070 100644
--- a/projects/MIT_Chakraborty.yaml
+++ b/projects/MIT_Chakraborty.yaml
@@ -1,4 +1,5 @@
-Description: Using computational methods to study the adaptive immune system; simulating the processes of affinity maturation in order to improve vaccine design.
+Description: Using computational methods to study the adaptive immune system; simulating
+ the processes of affinity maturation in order to improve vaccine design.
Department: Chemical Engineering
FieldOfScience: Biological and Biomedical Sciences
Organization: Massachusetts Institute of Technology
@@ -9,3 +10,4 @@ ID: '804'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.0507'
diff --git a/projects/MIT_Choi.yaml b/projects/MIT_Choi.yaml
index 145e36a09..bc4248633 100644
--- a/projects/MIT_Choi.yaml
+++ b/projects/MIT_Choi.yaml
@@ -7,3 +7,4 @@ PIName: Soonwon Choi
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/MIT_Hill.yaml b/projects/MIT_Hill.yaml
index e37a5aef9..5b40f61ff 100644
--- a/projects/MIT_Hill.yaml
+++ b/projects/MIT_Hill.yaml
@@ -1,18 +1,14 @@
-Description: This is for NSF-NASA efforts to create very large
- realistic models of the Earths oceans
- ( https://data.nas.nasa.gov/ecco/ ). Some of our largest
- modeling efforts produce multi-petabyte solutions and we are
- experimenting with sharing via the NSF Open Storage Network to provide
- broad open access to datasets that are increasingly
- widely used. We are interested in undertaking high-throughput analysis
- to identify ocean vorticity feature statistics in different
- model solutions to better understand air-sea feedbacks that are
- significant for better modeling climate processes. We are also
- interested in creating scripts that we can share widely with
- downstream users throughout the US and globally. We will be using
- the OSN object store accessed through the Python s3fs and xarray
- tools. These allow high concurrency access for reading
- different objects within the project OSN S3 buckets.
+Description: This is for NSF-NASA efforts to create very large realistic models of
+ the Earths oceans ( https://data.nas.nasa.gov/ecco/ ). Some of our largest modeling
+ efforts produce multi-petabyte solutions and we are experimenting with sharing via
+ the NSF Open Storage Network to provide broad open access to datasets that are increasingly
+ widely used. We are interested in undertaking high-throughput analysis to identify
+ ocean vorticity feature statistics in different model solutions to better understand
+ air-sea feedbacks that are significant for better modeling climate processes. We
+ are also interested in creating scripts that we can share widely with downstream
+ users throughout the US and globally. We will be using the OSN object store accessed
+ through the Python s3fs and xarray tools. These allow high concurrency access for
+ reading different objects within the project OSN S3 buckets.
Department: Earth, Atmospheric and Planetary Sciences
FieldOfScience: Earth and Ocean Sciences
Organization: Massachusetts Institute of Technology
@@ -23,3 +19,4 @@ ID: '795'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40'
diff --git a/projects/MIT_Kardar.yaml b/projects/MIT_Kardar.yaml
index 840e8646e..7b0d08997 100644
--- a/projects/MIT_Kardar.yaml
+++ b/projects/MIT_Kardar.yaml
@@ -7,3 +7,4 @@ PIName: Mehran Kardar
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/MIT_Takei.yaml b/projects/MIT_Takei.yaml
index 659a0248d..4e26402d9 100644
--- a/projects/MIT_Takei.yaml
+++ b/projects/MIT_Takei.yaml
@@ -4,3 +4,4 @@ Description: I am working on models for quantifying the effects on the change of
FieldOfScience: Finance
Organization: Massachusetts Institute of Technology
PIName: Ikuo Takei
+FieldOfScienceID: '52.0806'
diff --git a/projects/MLResearch.yaml b/projects/MLResearch.yaml
index 72db889d1..691b90c69 100644
--- a/projects/MLResearch.yaml
+++ b/projects/MLResearch.yaml
@@ -1,5 +1,4 @@
-Description: Image Reconstruction of Satellites using Machine
- Learning using MATLAB.
+Description: Image Reconstruction of Satellites using Machine Learning using MATLAB.
Department: Computer Science
FieldOfScience: Computer Science
Organization: Georgia State University
@@ -11,3 +10,4 @@ Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/MMC_Leegon.yaml b/projects/MMC_Leegon.yaml
index d19b177d7..82865cab2 100644
--- a/projects/MMC_Leegon.yaml
+++ b/projects/MMC_Leegon.yaml
@@ -1,4 +1,6 @@
-Description: Provide services to other PIs both on campus and at other academic institutions including student training. In addition, internally we do bioinformatics research with tools such as BLAST.
+Description: Provide services to other PIs both on campus and at other academic institutions
+ including student training. In addition, internally we do bioinformatics research
+ with tools such as BLAST.
Department: Bioinformatics and Proteomics
FieldOfScience: Biological and Biomedical Sciences
Organization: Meharry Medical College
@@ -7,3 +9,4 @@ PIName: Jeffrey Leegon
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/MMHA.yaml b/projects/MMHA.yaml
index 3b84c0569..b6f8e7dd2 100644
--- a/projects/MMHA.yaml
+++ b/projects/MMHA.yaml
@@ -10,3 +10,4 @@ PIName: Ikuo Takei
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '45.06'
diff --git a/projects/MOLLER.yaml b/projects/MOLLER.yaml
index 78b4b924b..015436052 100644
--- a/projects/MOLLER.yaml
+++ b/projects/MOLLER.yaml
@@ -10,3 +10,4 @@ PIName: Wouter Deconinck
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/MOmega.yaml b/projects/MOmega.yaml
index a4b3ba86d..b09f979f7 100644
--- a/projects/MOmega.yaml
+++ b/projects/MOmega.yaml
@@ -7,3 +7,4 @@ PIName: Maxene Meier
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27.05'
diff --git a/projects/MS-EinDRC.yaml b/projects/MS-EinDRC.yaml
index 0427f74ac..88b133a1b 100644
--- a/projects/MS-EinDRC.yaml
+++ b/projects/MS-EinDRC.yaml
@@ -8,3 +8,4 @@ PIName: Jacob Pessin
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/MSKCC_Chodera.yaml b/projects/MSKCC_Chodera.yaml
index 8614771f0..50f432141 100644
--- a/projects/MSKCC_Chodera.yaml
+++ b/projects/MSKCC_Chodera.yaml
@@ -3,3 +3,4 @@ Description: We are developing a system to enable high throughput free energy ca
FieldOfScience: Bioinformatics
Organization: Memorial Sloan Kettering Cancer Center
PIName: John Chodera
+FieldOfScienceID: '26.1103'
diff --git a/projects/MSSM_Ali.yaml b/projects/MSSM_Ali.yaml
index a403af31e..63e1c8e25 100644
--- a/projects/MSSM_Ali.yaml
+++ b/projects/MSSM_Ali.yaml
@@ -1,6 +1,6 @@
-Description: Hands on Training on Robust Molecular Simulations Introduces
- students to the exciting areas in Computational Biophysics, drug design,
- bioinformatics and potentially other computing intensive fields
+Description: Hands on Training on Robust Molecular Simulations Introduces students
+ to the exciting areas in Computational Biophysics, drug design, bioinformatics and
+ potentially other computing intensive fields
Department: Neurology
FieldOfScience: Biological and Biomedical Sciences
Organization: Icahn School of Medicine at Mount Sinai
@@ -9,3 +9,4 @@ PIName: Rejwan Ali
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/MSState_2024_Chen.yaml b/projects/MSState_2024_Chen.yaml
index 2bb55f99b..4b6088f19 100644
--- a/projects/MSState_2024_Chen.yaml
+++ b/projects/MSState_2024_Chen.yaml
@@ -1,8 +1,18 @@
Department: Computer Science and Engineering
Description: >
- This project is dedicated to creating a comprehensive multimodal platform, specifically designed to enhance graph dynamics analytics in professional settings.Our goal is to encompass the complete life cycle of graph dynamics with particular emphasis on spatial trajectory mining, including location prediction, optimal routing inference, and identity recognition.
- Central to this initiative is utilization the capabilities of large transformer models (e.g., Large Language Models, Vision Transformers, or Graph Transformers). These will be tailored to effectively capture the complexities inherent in trajectory over spatial graphs. By leveraging natural language, we can unlock the potential of advanced graph analytics to those without programming expertise, and enable seamless collaboration between experts across domains by speaking the universal language.
+ This project is dedicated to creating a comprehensive multimodal platform, specifically
+ designed to enhance graph dynamics analytics in professional settings.Our goal is
+ to encompass the complete life cycle of graph dynamics with particular emphasis
+ on spatial trajectory mining, including location prediction, optimal routing inference,
+ and identity recognition.
+ Central to this initiative is utilization the capabilities of large transformer
+ models (e.g., Large Language Models, Vision Transformers, or Graph Transformers).
+ These will be tailored to effectively capture the complexities inherent in trajectory
+ over spatial graphs. By leveraging natural language, we can unlock the potential
+ of advanced graph analytics to those without programming expertise, and enable seamless
+ collaboration between experts across domains by speaking the universal language.
FieldOfScience: Computer and Information Services
Organization: Mississippi State University
PIName: Zhiqian Chen
+FieldOfScienceID: '11.01'
diff --git a/projects/MSU_Berz.yaml b/projects/MSU_Berz.yaml
index eb38a4bd8..f54033d01 100644
--- a/projects/MSU_Berz.yaml
+++ b/projects/MSU_Berz.yaml
@@ -1,4 +1,4 @@
-Description: Nonlinear beam dynamics simulations of the Muon g-2 Experiment at Fermilab
+Description: Nonlinear beam dynamics simulations of the Muon g-2 Experiment at Fermilab
Department: Physics
FieldOfScience: Physics
Organization: Michigan State University
@@ -9,3 +9,4 @@ ID: '635'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/MSU_Colbry.yaml b/projects/MSU_Colbry.yaml
index 9234a76ba..20dcb07e9 100644
--- a/projects/MSU_Colbry.yaml
+++ b/projects/MSU_Colbry.yaml
@@ -1,4 +1,5 @@
-Description: "SEE-Insight: Scientific Image Understanding algorithm discovery using Simple Evolutionary Exploration"
+Description: 'SEE-Insight: Scientific Image Understanding algorithm discovery using
+ Simple Evolutionary Exploration'
Department: Computational Mathematics, Science and Engineering
FieldOfScience: Computer Science
Organization: Michigan State University
@@ -9,3 +10,4 @@ ID: '721'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/MSU_ICERStaff.yaml b/projects/MSU_ICERStaff.yaml
index 242a02f9c..7d84e935d 100644
--- a/projects/MSU_ICERStaff.yaml
+++ b/projects/MSU_ICERStaff.yaml
@@ -1,9 +1,11 @@
-Description: Group for ICER (Institute for Cyber Enabled Research) staff at Michigan State
+Description: Group for ICER (Institute for Cyber Enabled Research) staff at Michigan
+ State
Department: Institute for Cyber Enabled Research
-FieldOfScience: Research Computing
+FieldOfScience: Research Computing
Organization: Michigan State University
PIName: Dirk Colbry
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/MSU_Kerzendorf.yaml b/projects/MSU_Kerzendorf.yaml
index 47a24c6cf..c808ee974 100644
--- a/projects/MSU_Kerzendorf.yaml
+++ b/projects/MSU_Kerzendorf.yaml
@@ -7,3 +7,4 @@ PIName: Wolfgang Kerzendorf
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.02'
diff --git a/projects/MSU_RCI.yaml b/projects/MSU_RCI.yaml
index 780c879aa..b52affc34 100644
--- a/projects/MSU_RCI.yaml
+++ b/projects/MSU_RCI.yaml
@@ -3,3 +3,4 @@ FieldOfScience: Computer Science
Organization: Montana State University
Department: Research Cyberinfrastructure
PIName: Alex Salois
+FieldOfScienceID: '11.0701'
diff --git a/projects/MSU_Szilagyi.yaml b/projects/MSU_Szilagyi.yaml
index 38a82ad27..60ae9e551 100644
--- a/projects/MSU_Szilagyi.yaml
+++ b/projects/MSU_Szilagyi.yaml
@@ -9,3 +9,4 @@ ID: '627'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/MTU_Sha.yaml b/projects/MTU_Sha.yaml
index c7a2a73e3..446a5a16a 100644
--- a/projects/MTU_Sha.yaml
+++ b/projects/MTU_Sha.yaml
@@ -1,4 +1,6 @@
-Description: My methodological research projects focus on the development of novel statistical methods and efficient bioinformatical tools to address problems from genome-wide association studies and phenome-wide association studies.
+Description: My methodological research projects focus on the development of novel
+ statistical methods and efficient bioinformatical tools to address problems from
+ genome-wide association studies and phenome-wide association studies.
Department: Department of Mathematical Sciences
FieldOfScience: Mathematics
Organization: Michigan Technological University
@@ -7,3 +9,4 @@ PIName: Qiuying Sha
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27.01'
diff --git a/projects/MTU_Zhang.yaml b/projects/MTU_Zhang.yaml
index 29ce5c859..f234876d1 100644
--- a/projects/MTU_Zhang.yaml
+++ b/projects/MTU_Zhang.yaml
@@ -9,3 +9,4 @@ ID: '753'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27.01'
diff --git a/projects/MaizeAminoAcids.yaml b/projects/MaizeAminoAcids.yaml
index 1c5701e72..9eb99120b 100644
--- a/projects/MaizeAminoAcids.yaml
+++ b/projects/MaizeAminoAcids.yaml
@@ -11,3 +11,4 @@ PIName: Timothy M Beissinger
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.13'
diff --git a/projects/Mapping.yaml b/projects/Mapping.yaml
index 5d37c48f6..90e8fd68f 100644
--- a/projects/Mapping.yaml
+++ b/projects/Mapping.yaml
@@ -9,3 +9,4 @@ PIName: Liang Shi
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/MarLab.yaml b/projects/MarLab.yaml
index 2574abe97..a502bcdac 100644
--- a/projects/MarLab.yaml
+++ b/projects/MarLab.yaml
@@ -7,3 +7,4 @@ PIName: Jessica Mar
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/MedInf.yaml b/projects/MedInf.yaml
index 2442ecdd0..ec218b65a 100644
--- a/projects/MedInf.yaml
+++ b/projects/MedInf.yaml
@@ -13,3 +13,4 @@ PIName: Alex Langerman
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/MiamiOH_Staff.yaml b/projects/MiamiOH_Staff.yaml
index 9e3411355..638454d55 100644
--- a/projects/MiamiOH_Staff.yaml
+++ b/projects/MiamiOH_Staff.yaml
@@ -7,3 +7,4 @@ PIName: Jens Mueller
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/Michigan_ARCStaff.yaml b/projects/Michigan_ARCStaff.yaml
index ba11c3bfd..ba73071fc 100644
--- a/projects/Michigan_ARCStaff.yaml
+++ b/projects/Michigan_ARCStaff.yaml
@@ -9,3 +9,4 @@ ID: '767'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 11.0701a
diff --git a/projects/Michigan_Alben.yaml b/projects/Michigan_Alben.yaml
index dec5de1e6..440fb9524 100644
--- a/projects/Michigan_Alben.yaml
+++ b/projects/Michigan_Alben.yaml
@@ -1,9 +1,16 @@
-Description: The planned research will discover improved flows for thermal transport enhancement. We will extend an existing steady 2D method to efficiently compute optimal unsteady 2D flows in benchmark geometries such as channel flows, and closed and open domains between hot and cold surfaces. We will also develop computational methods for optimal flows in 3D domains that are analogous to the 2D domains we have studied, and determine the gains from 3D flows relative to 2D flows in comparable domains.
-Department: Mathematics
-FieldOfScience: Applied Mathematics
+Description: The planned research will discover improved flows for thermal transport
+ enhancement. We will extend an existing steady 2D method to efficiently compute
+ optimal unsteady 2D flows in benchmark geometries such as channel flows, and closed
+ and open domains between hot and cold surfaces. We will also develop computational
+ methods for optimal flows in 3D domains that are analogous to the 2D domains we
+ have studied, and determine the gains from 3D flows relative to 2D flows in comparable
+ domains.
+Department: Mathematics
+FieldOfScience: Applied Mathematics
Organization: University of Michigan
PIName: Silas Alben
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27.03'
diff --git a/projects/Michigan_Bioinformatics.yaml b/projects/Michigan_Bioinformatics.yaml
index 29ab708e7..0e9160c3b 100644
--- a/projects/Michigan_Bioinformatics.yaml
+++ b/projects/Michigan_Bioinformatics.yaml
@@ -9,3 +9,4 @@ ID: '770'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/Michigan_Brines.yaml b/projects/Michigan_Brines.yaml
index 340bd563c..eef0a783b 100644
--- a/projects/Michigan_Brines.yaml
+++ b/projects/Michigan_Brines.yaml
@@ -1,4 +1,5 @@
-Description: Assessing & Communicating Climate and Water Ecosystem Services of the City of Ann Arbor Greenbelt Program
+Description: Assessing & Communicating Climate and Water Ecosystem Services of the
+ City of Ann Arbor Greenbelt Program
Department: The School for Environment and Sustainability
FieldOfScience: Natural Resources and Conservation
Organization: University of Michigan
@@ -9,3 +10,4 @@ ID: '766'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '03'
diff --git a/projects/Michigan_Jadidi.yaml b/projects/Michigan_Jadidi.yaml
index ba1def1d1..ee9f80ece 100644
--- a/projects/Michigan_Jadidi.yaml
+++ b/projects/Michigan_Jadidi.yaml
@@ -1,4 +1,4 @@
-Description: Cave mapping with underwater robots using invariant common filter method.
+Description: Cave mapping with underwater robots using invariant common filter method.
Department: Naval Architecture and Marine Engineering
FieldOfScience: Robotics
Organization: University of Michigan
@@ -9,3 +9,4 @@ ID: '789'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.4201'
diff --git a/projects/Michigan_Jahn.yaml b/projects/Michigan_Jahn.yaml
index 8ec1dd210..0b4cfd3e9 100644
--- a/projects/Michigan_Jahn.yaml
+++ b/projects/Michigan_Jahn.yaml
@@ -1,8 +1,7 @@
-Description: I want to make videos and documentation showing how
- to use the Open Science Grid to analyze large FreeSurfer datasets.
- This is to help make supercomputing resources more accessible to
- students and researchers at smaller colleges that may not have their own
- supercomputing cluster.
+Description: I want to make videos and documentation showing how to use the Open Science
+ Grid to analyze large FreeSurfer datasets. This is to help make supercomputing resources
+ more accessible to students and researchers at smaller colleges that may not have
+ their own supercomputing cluster.
Department: fMRI Laboratory
FieldOfScience: Biological and Biomedical Sciences
Organization: University of Michigan
@@ -11,3 +10,4 @@ PIName: Andrew Jahn
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/Michigan_Knowles.yaml b/projects/Michigan_Knowles.yaml
index 9a3da78c4..9f013231d 100644
--- a/projects/Michigan_Knowles.yaml
+++ b/projects/Michigan_Knowles.yaml
@@ -9,3 +9,4 @@ ID: '814'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/Michigan_Riles.yaml b/projects/Michigan_Riles.yaml
index ace1c96b9..f27636465 100644
--- a/projects/Michigan_Riles.yaml
+++ b/projects/Michigan_Riles.yaml
@@ -9,3 +9,4 @@ ID: '712'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/Michigan_Schwarz.yaml b/projects/Michigan_Schwarz.yaml
index 02f5d1b72..fe355f042 100644
--- a/projects/Michigan_Schwarz.yaml
+++ b/projects/Michigan_Schwarz.yaml
@@ -4,10 +4,11 @@ Description: >-
analysis, see link of my most recent progress of my research:
https://cernbox.cern.ch/index.php/s/qPJ7QkOcOjrZdMW
Department: Physics
-FieldOfScience: Physics, Particle Physics, High Energy Physics
+FieldOfScience: Physics, Particle Physics, High Energy Physics
Organization: University of Michigan
PIName: Thomas Schwarz
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/Michigan_Seelbach.yaml b/projects/Michigan_Seelbach.yaml
index b8f69645a..245e88031 100644
--- a/projects/Michigan_Seelbach.yaml
+++ b/projects/Michigan_Seelbach.yaml
@@ -1,4 +1,4 @@
-Description: Automating movement and identification of fish in restored wetland areas
+Description: Automating movement and identification of fish in restored wetland areas
Department: School for Environment and Sustainability
FieldOfScience: Earth and Ocean Sciences
Organization: University of Michigan
@@ -9,3 +9,4 @@ ID: '793'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40'
diff --git a/projects/Michigan_Viswanathan.yaml b/projects/Michigan_Viswanathan.yaml
index 64b96b9a6..2c24b76d2 100644
--- a/projects/Michigan_Viswanathan.yaml
+++ b/projects/Michigan_Viswanathan.yaml
@@ -1,6 +1,8 @@
Department: Engineering
Description: >
- Research Interests: Electric aviation, Electric vehicles, Batteries, Scientific machine learning
+ Research Interests: Electric aviation, Electric vehicles, Batteries, Scientific
+ machine learning
FieldOfScience: Engineering
Organization: University of Michigan
PIName: Venkat Viswanathan
+FieldOfScienceID: 30.7099b
diff --git a/projects/Michigan_Wells.yaml b/projects/Michigan_Wells.yaml
index d5b2a3b03..318f30644 100644
--- a/projects/Michigan_Wells.yaml
+++ b/projects/Michigan_Wells.yaml
@@ -1,5 +1,5 @@
Department: Physics
-Description: Training neural networks for particle physics research
+Description: Training neural networks for particle physics research
FieldOfScience: Physics
ID: '788'
Organization: University of Michigan
@@ -7,3 +7,4 @@ PIName: James Wells
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/MicroBooNE.yaml b/projects/MicroBooNE.yaml
index 61ae5d0ee..8a3e1499f 100644
--- a/projects/MicroBooNE.yaml
+++ b/projects/MicroBooNE.yaml
@@ -7,3 +7,4 @@ PIName: Joe Boyd
Sponsor:
VirtualOrganization:
Name: Fermilab
+FieldOfScienceID: '40.08'
diff --git a/projects/Minerva.yaml b/projects/Minerva.yaml
index 715bbfd8b..df16f7c90 100644
--- a/projects/Minerva.yaml
+++ b/projects/Minerva.yaml
@@ -7,3 +7,4 @@ PIName: Gabriel Nathan Perdue
Sponsor:
VirtualOrganization:
Name: Fermilab
+FieldOfScienceID: '40.08'
diff --git a/projects/Mines_BeEST.yaml b/projects/Mines_BeEST.yaml
index 3c44d70b1..292c5a376 100644
--- a/projects/Mines_BeEST.yaml
+++ b/projects/Mines_BeEST.yaml
@@ -1,4 +1,6 @@
-Description: The Beryllium Electron capture in Superconducting Tunnel junctions Experiment (BEeST) employs the decay–momentum reconstruction technique to precisely measure the 7Be 7Li recoil energy spectrum in superconducting tunnel junctions (STJs).
+Description: The Beryllium Electron capture in Superconducting Tunnel junctions Experiment
+ (BEeST) employs the decay–momentum reconstruction technique to precisely measure
+ the 7Be 7Li recoil energy spectrum in superconducting tunnel junctions (STJs).
Department: Physics
FieldOfScience: Physics
Organization: Colorado School of Mines
@@ -9,3 +11,4 @@ ID: '833'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/Mines_CIARCStaff.yaml b/projects/Mines_CIARCStaff.yaml
index 67039f4bb..6284d055d 100644
--- a/projects/Mines_CIARCStaff.yaml
+++ b/projects/Mines_CIARCStaff.yaml
@@ -1,4 +1,5 @@
-Description: Staff at the Cyberinfrastrucure and Advanced Research Computing, within central IT (ITS).
+Description: Staff at the Cyberinfrastrucure and Advanced Research Computing, within
+ central IT (ITS).
Department: Cyberinfrastructure and Advanced Research Computing
FieldOfScience: Computer and Information Sciences
Organization: Colorado School of Mines
@@ -9,3 +10,4 @@ ID: '739'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/Mines_GomezGualdron.yaml b/projects/Mines_GomezGualdron.yaml
index 89e70b26d..fc906fec9 100644
--- a/projects/Mines_GomezGualdron.yaml
+++ b/projects/Mines_GomezGualdron.yaml
@@ -7,3 +7,4 @@ PIName: Diego Gomez-Gualdron
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.07'
diff --git a/projects/Mines_Leach.yaml b/projects/Mines_Leach.yaml
index a0003ef2f..e73e810f4 100644
--- a/projects/Mines_Leach.yaml
+++ b/projects/Mines_Leach.yaml
@@ -1,4 +1,4 @@
-Description: "Nuclear Two-Photon Decay with GRIFFIN"
+Description: Nuclear Two-Photon Decay with GRIFFIN
Department: Physics
FieldOfScience: Physics
Organization: Colorado School of Mines
@@ -9,3 +9,4 @@ ID: '606'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/MiniWorkshopUC15.yaml b/projects/MiniWorkshopUC15.yaml
index 0d89072f4..ee2af0c6e 100644
--- a/projects/MiniWorkshopUC15.yaml
+++ b/projects/MiniWorkshopUC15.yaml
@@ -8,3 +8,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/Minos.yaml b/projects/Minos.yaml
index e2d8151ba..ee01cc167 100644
--- a/projects/Minos.yaml
+++ b/projects/Minos.yaml
@@ -7,3 +7,4 @@ PIName: Joe Boyd
Sponsor:
VirtualOrganization:
Name: Fermilab
+FieldOfScienceID: '40.08'
diff --git a/projects/Mizzou_OSGTeaching.yaml b/projects/Mizzou_OSGTeaching.yaml
index db7d61f13..79c3e3827 100644
--- a/projects/Mizzou_OSGTeaching.yaml
+++ b/projects/Mizzou_OSGTeaching.yaml
@@ -1,4 +1,4 @@
-Description: "Teaching OSG at Mizzou"
+Description: Teaching OSG at Mizzou
Department: Research Computing Support Services, Division of IT
FieldOfScience: Education
Organization: University of Missouri
@@ -9,3 +9,4 @@ ID: '645'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 11.0701b
diff --git a/projects/Mizzou_RCSS.yaml b/projects/Mizzou_RCSS.yaml
index 9bdfc01ef..a4d95e1e5 100644
--- a/projects/Mizzou_RCSS.yaml
+++ b/projects/Mizzou_RCSS.yaml
@@ -1,4 +1,4 @@
-Description: "Research Computing Support Services at the University of Missouri"
+Description: Research Computing Support Services at the University of Missouri
Department: Research Computing Support Services, Division of IT
FieldOfScience: Research Computing
Organization: University of Missouri
@@ -9,3 +9,4 @@ ID: '624'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/MontgomeryCollege_Dillman.yaml b/projects/MontgomeryCollege_Dillman.yaml
index a0b37bf36..1f85f00eb 100644
--- a/projects/MontgomeryCollege_Dillman.yaml
+++ b/projects/MontgomeryCollege_Dillman.yaml
@@ -10,3 +10,4 @@ PIName: Allissa Dillman
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/Mu2e.yaml b/projects/Mu2e.yaml
index 703833710..c767b4914 100644
--- a/projects/Mu2e.yaml
+++ b/projects/Mu2e.yaml
@@ -7,3 +7,4 @@ PIName: Joe Boyd
Sponsor:
VirtualOrganization:
Name: Fermilab
+FieldOfScienceID: '40.08'
diff --git a/projects/NASA_Nasipak.yaml b/projects/NASA_Nasipak.yaml
index 215dd73ae..f0166de18 100644
--- a/projects/NASA_Nasipak.yaml
+++ b/projects/NASA_Nasipak.yaml
@@ -1,8 +1,9 @@
Department: Goddard Space Flight Center
Description: >
- Gravitational wave modeling, specifically the modeling the
- dynamics and gravitational waves of black hole binaries known as
- extreme-mass-ratio inspirals for future milliHertz detectors.
+ Gravitational wave modeling, specifically the modeling the
+ dynamics and gravitational waves of black hole binaries known as
+ extreme-mass-ratio inspirals for future milliHertz detectors.
FieldOfScience: Astronomy
Organization: National Aeronautics and Space Administration
PIName: Zachary Nasipak
+FieldOfScienceID: '40.0201'
diff --git a/projects/NCOppSchool.yaml b/projects/NCOppSchool.yaml
index 9fd5a42e7..620b6ee8f 100644
--- a/projects/NCOppSchool.yaml
+++ b/projects/NCOppSchool.yaml
@@ -9,3 +9,4 @@ PIName: Michael Dinerstein
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '13'
diff --git a/projects/NCSU_2023_Hall b/projects/NCSU_2023_Hall
deleted file mode 100644
index 1026ca87d..000000000
--- a/projects/NCSU_2023_Hall
+++ /dev/null
@@ -1,9 +0,0 @@
-Description: Studies of square shaped colloidal particles with internal magnetic dipoles. Objective is to discover the phase behavior of colloids under the presence and absence of a magnetic field. Other research on colloids and soft materials under direction of PI can be found at: https://carolkhall.wordpress.ncsu.edu/research/selected-projects/
-Department: Chemical and Biomolecular Engineering
-FieldOfScience: Chemical Engineering
-Organization: North Carolina State University
-PIName: Carol Hall
-
-Sponsor:
- CampusGrid:
- Name: OSG Connect
diff --git a/projects/NCSU_Barroso.yaml b/projects/NCSU_Barroso.yaml
index df74993e6..79aa327e9 100644
--- a/projects/NCSU_Barroso.yaml
+++ b/projects/NCSU_Barroso.yaml
@@ -1,15 +1,14 @@
-Description: Biomolecular interactions have been core pillars of our
- research. We are involved in developing and applying new
- computational technologies and offering a rational
- computational-based approach to the study of protein systems and
- the discovery of novel therapeutic agents (e.g. antibodies),
- biomarkers, and proteins for specific applications including
- key disease-related protein mechanisms.
+Description: Biomolecular interactions have been core pillars of our research. We
+ are involved in developing and applying new computational technologies and offering
+ a rational computational-based approach to the study of protein systems and the
+ discovery of novel therapeutic agents (e.g. antibodies), biomarkers, and proteins
+ for specific applications including key disease-related protein mechanisms.
Department: Department of Chemical and Biomolecular Engineering
-FieldOfScience: Biological and Biomedical Sciences/Biophysics
+FieldOfScience: Biological and Biomedical Sciences/Biophysics
Organization: North Carolina State University
PIName: Fernando Luis Barroso da Silva
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.0203'
diff --git a/projects/NCSU_Gray.yaml b/projects/NCSU_Gray.yaml
index 494d79ae7..29e970cab 100644
--- a/projects/NCSU_Gray.yaml
+++ b/projects/NCSU_Gray.yaml
@@ -1,9 +1,12 @@
Description: >
- Map and characterize global change, and to understand the consequences of these changes for the Earth system and society.
- Anthropogenic changes to vegetation (e.g. cropping systems, deforestation, etc.) are of particular interest.
- Example research questions include: How can we feed a growing population without running out of water?
- Have tropical deforestation mitigation policies been effective? How is vegetation phenology changing in response to a changing climate?
+ Map and characterize global change, and to understand the consequences of these
+ changes for the Earth system and society. Anthropogenic changes to vegetation (e.g.
+ cropping systems, deforestation, etc.) are of particular interest. Example research
+ questions include: How can we feed a growing population without running out of water? Have
+ tropical deforestation mitigation policies been effective? How is vegetation phenology
+ changing in response to a changing climate?
Department: Center for Geospatial Analytics
FieldOfScience: Geosciences
Organization: North Carolina State University
PIName: Josh Gray
+FieldOfScienceID: '40.06'
diff --git a/projects/NCSU_Hall.yaml b/projects/NCSU_Hall.yaml
index aa1ea84bb..7a2f7b0db 100644
--- a/projects/NCSU_Hall.yaml
+++ b/projects/NCSU_Hall.yaml
@@ -1,4 +1,6 @@
-Description: Studies of square shaped colloidal particles with internal magnetic dipoles. Objective is to discover the phase behavior of colloids under the presence and absence of a magnetic field.
+Description: Studies of square shaped colloidal particles with internal magnetic dipoles.
+ Objective is to discover the phase behavior of colloids under the presence and absence
+ of a magnetic field.
Department: Department of Chemical and Biomolecular Engineering
FieldOfScience: Chemical Engineering
Organization: North Carolina State University
@@ -7,3 +9,4 @@ PIName: Carol Hall
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.07'
diff --git a/projects/NCSU_Petersen.yaml b/projects/NCSU_Petersen.yaml
index 20e9d7356..ba52ce878 100644
--- a/projects/NCSU_Petersen.yaml
+++ b/projects/NCSU_Petersen.yaml
@@ -1,6 +1,5 @@
-Description: Annealing of graphite by using large ensembles to
- accelerate barrier crossing times.
- https://www.sciencedirect.com/science/article/pii/S0022311517315490
+Description: Annealing of graphite by using large ensembles to accelerate barrier
+ crossing times. https://www.sciencedirect.com/science/article/pii/S0022311517315490
Department: OIT HPC
FieldOfScience: Materials Science
Organization: North Carolina State University
@@ -9,3 +8,4 @@ PIName: Andrew Petersen
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.1001'
diff --git a/projects/NCSU_Staff.yaml b/projects/NCSU_Staff.yaml
index f2b62a42c..0ebb0b381 100644
--- a/projects/NCSU_Staff.yaml
+++ b/projects/NCSU_Staff.yaml
@@ -1,7 +1,8 @@
Description: >
- Continue my access to the OSPool after the OSG School to further
- support potential users and workflows for NC State University
+ Continue my access to the OSPool after the OSG School to further support potential
+ users and workflows for NC State University
Department: Research Facilitation Service
FieldOfScience: Other
Organization: North Carolina State University
PIName: Christopher Blanton
+FieldOfScienceID: nan
diff --git a/projects/NDSU-CCAST.yaml b/projects/NDSU-CCAST.yaml
index cb7b81aee..5aee9be18 100644
--- a/projects/NDSU-CCAST.yaml
+++ b/projects/NDSU-CCAST.yaml
@@ -9,3 +9,4 @@ PIName: Nick Dusek
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30'
diff --git a/projects/NDSU_Yellavajjala.yaml b/projects/NDSU_Yellavajjala.yaml
index 5dd33a2c6..556ffafc2 100644
--- a/projects/NDSU_Yellavajjala.yaml
+++ b/projects/NDSU_Yellavajjala.yaml
@@ -1,4 +1,4 @@
-Description: A.I. Reinforcement Learning Algorithm
+Description: A.I. Reinforcement Learning Algorithm
Department: Civil and Environmental Engineering
FieldOfScience: Engineering
Organization: North Dakota State University
@@ -9,3 +9,4 @@ ID: '803'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14'
diff --git a/projects/ND_Chen.yaml b/projects/ND_Chen.yaml
index a259e87a3..f74e40e24 100644
--- a/projects/ND_Chen.yaml
+++ b/projects/ND_Chen.yaml
@@ -3,3 +3,4 @@ Description: Training AI models on public medical image data
FieldOfScience: Engineering
Organization: University of Notre Dame
PIName: Danny Chen
+FieldOfScienceID: '14.4701'
diff --git a/projects/ND_Colon.yaml b/projects/ND_Colon.yaml
index 721785deb..11a6b3749 100644
--- a/projects/ND_Colon.yaml
+++ b/projects/ND_Colon.yaml
@@ -1,4 +1,5 @@
-Description: Looks into the use of transfer learning into the molecular framework space and application.
+Description: Looks into the use of transfer learning into the molecular framework
+ space and application.
FieldOfScience: Chemical Engineering
Organization: University of Notre Dame
Department: Chemical Engineering
@@ -7,3 +8,4 @@ PIName: Yamil J. Colón
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.07'
diff --git a/projects/ND_Lalor.yaml b/projects/ND_Lalor.yaml
index e8f834c2b..a1c917e8f 100644
--- a/projects/ND_Lalor.yaml
+++ b/projects/ND_Lalor.yaml
@@ -1,8 +1,10 @@
Department: Department of IT, Analytics, and Operations
Description: >
- Conduct research on efficient training for large language models and other analytics methods.
- My research uses GPU compute to evaluate the efficiency improvements of LLM training modifications
- to develop smaller, more efficient, and easier-to-train models that reduce the computational and cost burden.
+ Conduct research on efficient training for large language models and other analytics
+ methods. My research uses GPU compute to evaluate the efficiency improvements of
+ LLM training modifications to develop smaller, more efficient, and easier-to-train
+ models that reduce the computational and cost burden.
FieldOfScience: Computer and Information Sciences
Organization: University of Notre Dame
PIName: John Lalor
+FieldOfScienceID: '11'
diff --git a/projects/NEESTools.yaml b/projects/NEESTools.yaml
index 933345cb4..192864a7f 100644
--- a/projects/NEESTools.yaml
+++ b/projects/NEESTools.yaml
@@ -1,23 +1,12 @@
Department: Civil Engineering
-Description: 'Earthquake Engineering is moving towards performance based
-
- engineering. Performance based engineering will potentially
-
- require and exponentially increase the amount of computation
-
- required of engineers as engineers move to incorporate risk and
-
- uncertainty associated with hazard, modeling, cost, material,
-
- etc. into the simulations. Currently those in research mostly are
-
- using the OpenSees (http://opensees.berkeley.edu) application to
-
- perform these calculations. This project aims at providing these
-
- researchers with access to current versions of OpenSees by
-
- utilizing resources to build the application on OSG resources.'
+Description: "Earthquake Engineering is moving towards performance based\nengineering.
+ Performance based engineering will potentially\nrequire and exponentially increase
+ the amount of computation\nrequired of engineers as engineers move to incorporate
+ risk and\nuncertainty associated with hazard, modeling, cost, material,\netc. into
+ the simulations. Currently those in research mostly are\nusing the OpenSees (http://opensees.berkeley.edu)
+ application to\nperform these calculations. This project aims at providing these\n
+ researchers with access to current versions of OpenSees by\nutilizing resources
+ to build the application on OSG resources."
FieldOfScience: Civil Engineering
ID: '85'
Organization: University of California, Berkeley
@@ -25,3 +14,4 @@ PIName: Frank McKenna
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '14.08'
diff --git a/projects/NESCent.yaml b/projects/NESCent.yaml
index bcfd4f08c..1e4e6269a 100644
--- a/projects/NESCent.yaml
+++ b/projects/NESCent.yaml
@@ -10,3 +10,4 @@ PIName: Fabricia Nascimento
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.13'
diff --git a/projects/NGNDA.yaml b/projects/NGNDA.yaml
index 549796d2f..83dcd851e 100644
--- a/projects/NGNDA.yaml
+++ b/projects/NGNDA.yaml
@@ -1,8 +1,6 @@
Department: Medicine
-Description: 'The goal of this project is to develop and deploy a novel computational
- platform for massive parallel analysis
-
- of high-dimensional brain networks.'
+Description: "The goal of this project is to develop and deploy a novel computational
+ platform for massive parallel analysis\nof high-dimensional brain networks."
FieldOfScience: Medical Sciences
ID: '433'
Organization: Harvard Medical School
@@ -10,3 +8,4 @@ PIName: Caterina Stamoulis
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/NIAID_TBPortals.yaml b/projects/NIAID_TBPortals.yaml
index 4a263e76f..c914425dd 100644
--- a/projects/NIAID_TBPortals.yaml
+++ b/projects/NIAID_TBPortals.yaml
@@ -8,3 +8,4 @@ PIName: Darrell Hurt
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/NII.yaml b/projects/NII.yaml
index 7930a91c4..0579a82f3 100644
--- a/projects/NII.yaml
+++ b/projects/NII.yaml
@@ -1,5 +1,9 @@
Department: Neuroimaging
-Description: The Michigan Neuroimaging initiative aims to enhance and expand neuroimaging research at the University of Michigan and to encourage collaboration with other neuroimaging researchers and researchers in other fields who can contribute innovative methods, computational resources, or new perspectives that will aid neuroimaging research.
+Description: The Michigan Neuroimaging initiative aims to enhance and expand neuroimaging
+ research at the University of Michigan and to encourage collaboration with other
+ neuroimaging researchers and researchers in other fields who can contribute innovative
+ methods, computational resources, or new perspectives that will aid neuroimaging
+ research.
FieldOfScience: Neuroscience
ID: '614'
Organization: University of Michigan
@@ -8,3 +12,4 @@ Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.15'
diff --git a/projects/NIST_CTCMS.yaml b/projects/NIST_CTCMS.yaml
index d57327244..2fd0579a9 100644
--- a/projects/NIST_CTCMS.yaml
+++ b/projects/NIST_CTCMS.yaml
@@ -1,4 +1,5 @@
-Description: Staff in the Center for Theoretical and Computational Materials at the National Institute of Standards and Technology.
+Description: Staff in the Center for Theoretical and Computational Materials at the
+ National Institute of Standards and Technology.
Department: Center for Theoretical and Computational Materials
FieldOfScience: Multi-Science Community
Organization: National Institute of Standards and Technology
@@ -9,3 +10,4 @@ ID: '828'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30'
diff --git a/projects/NJIT_Nadim.yaml b/projects/NJIT_Nadim.yaml
index 9e1568b3c..3fbf05857 100644
--- a/projects/NJIT_Nadim.yaml
+++ b/projects/NJIT_Nadim.yaml
@@ -1,10 +1,12 @@
-Description: Work is concerned with uncovering the principles of underlying neural circuit function.
-Department: Biological Sciences
+Description: Work is concerned with uncovering the principles of underlying neural
+ circuit function.
+Department: Biological Sciences
FieldOfScience: Biological and Biomedical Sciences
Organization: New Jersey Institute of Technology
-PIName: Farzan Nadim
+PIName: Farzan Nadim
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/NMSU_Lawson.yaml b/projects/NMSU_Lawson.yaml
index 467421f08..54587fc37 100644
--- a/projects/NMSU_Lawson.yaml
+++ b/projects/NMSU_Lawson.yaml
@@ -1,9 +1,10 @@
Description: >
- I am requesting an OSPool project for my postdoctoral research investigating
- drivers of population decline for the American Kestrel, a raptor species that breeds
- across North America. I plan to use OSG resources to compile my environmental data
- and fit statistical models.
-Department: Fish, Wildlife, and Conservation Ecology
+ I am requesting an OSPool project for my postdoctoral research investigating drivers
+ of population decline for the American Kestrel, a raptor species that breeds across
+ North America. I plan to use OSG resources to compile my environmental data and
+ fit statistical models.
+Department: Fish, Wildlife, and Conservation Ecology
FieldOfScience: Ecological and Environmental Sciences
Organization: New Mexico State University
PIName: Abigail Lawson
+FieldOfScienceID: '1.0902'
diff --git a/projects/NMSU_Sievert.yaml b/projects/NMSU_Sievert.yaml
index 0e62a0cd1..6bebcedd3 100644
--- a/projects/NMSU_Sievert.yaml
+++ b/projects/NMSU_Sievert.yaml
@@ -1,5 +1,6 @@
Description: Theoretical nuclear physics research.
-Department: Physics
+Department: Physics
FieldOfScience: Physics
Organization: New Mexico State University
PIName: Matthew Sievert
+FieldOfScienceID: '40.08'
diff --git a/projects/NMSU_SpinQuest.yaml b/projects/NMSU_SpinQuest.yaml
index b062cfebb..94aedd8ef 100644
--- a/projects/NMSU_SpinQuest.yaml
+++ b/projects/NMSU_SpinQuest.yaml
@@ -1,4 +1,5 @@
-Description: SpinQuest will investigate whether the sea quarks are orbiting around the center of the nucleon by exploring the nucleon in a particular way
+Description: SpinQuest will investigate whether the sea quarks are orbiting around
+ the center of the nucleon by exploring the nucleon in a particular way
Department: Physics
FieldOfScience: Physics
Organization: New Mexico State University
@@ -9,3 +10,4 @@ ID: '820'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/NMSU_staff.yaml b/projects/NMSU_staff.yaml
index 49c82c14f..182889212 100644
--- a/projects/NMSU_staff.yaml
+++ b/projects/NMSU_staff.yaml
@@ -2,10 +2,11 @@ Description: NMSU staff experimenting with OSG
Department: ICT Cyber Infrastructure Architect Team
FieldOfScience: Computer Science
Organization: New Mexico State University
-PIName: Strahinja Trecakov
+PIName: Strahinja Trecakov
ID: '650'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/NOAA_Bell.yaml b/projects/NOAA_Bell.yaml
index 8f2f7ab49..73112cc09 100644
--- a/projects/NOAA_Bell.yaml
+++ b/projects/NOAA_Bell.yaml
@@ -1,6 +1,12 @@
Department: Cooperative Institute for Research in Environmental Sciences
Description: >-
- Water column sonar data, the acoustic back-scatter from the near surface to the seafloor, are used to assess physical and biological characteristics of the ocean including the spatial distribution of plankton, fish, methane seeps, and underwater oil plumes. Currently our catalog includes 270 TB of data that we are working to convert from a proprietary industry format into a cloud native Zarr format. Further documentation:
+ Water column sonar data, the acoustic back-scatter from the near surface to the
+ seafloor, are used to assess physical and biological characteristics of the ocean
+ including the spatial distribution of plankton, fish, methane seeps, and underwater
+ oil plumes. Currently our catalog includes 270 TB of data that we are working to
+ convert from a proprietary industry format into a cloud native Zarr format. Further
+ documentation:
FieldOfScience: Ocean Sciences
Organization: National Oceanic and Atmospheric Administration
PIName: Carrie Bell
+FieldOfScienceID: '40.06'
diff --git a/projects/NOAA_DucharmeBarth.yaml b/projects/NOAA_DucharmeBarth.yaml
index ef1472b03..42169018d 100644
--- a/projects/NOAA_DucharmeBarth.yaml
+++ b/projects/NOAA_DucharmeBarth.yaml
@@ -1,24 +1,20 @@
-Description: NOAA Fisheries uses stock assessments to monitor the
- condition of nearly 500 fish stocks and stock complexes (groups of
- similar stocks managed together). Stock assessments are scientific
- efforts that involve data collection, data processing, and mathematical
- modeling that estimate the health and size of a fish stock, measure
- how fishing affects the stock, and project harvest levels that achieve
- the largest sustainable long-term yield. Stock assessments are the
- backbone of sustainable fisheries management. These assessments allow
- us to evaluate and report the status of managed fisheries, marine
- mammals, and endangered/threatened species under the authorities of
- the Magnuson-Stevens Fishery Conservation and Management Act, the
- Marine Mammal Protection Act, and the Endangered Species Act. The
- outcome of this project will be to develop and document a workflow
- for running existing stock assessment platforms (e.g. StockSynthesis,
- Multifan-CL, Beaufort Assessment Model, etc.) on a distributed computing
- system in order to facilitate the script based, ‘simultaneous’
- exploration of multiple alternative model configurations. This workflow
- can be used to develop a stock assessment in either the single best
- base case or ensemble model framework. This project will support
- hypothesis exploration, model ensembling, and improved automation of
- stock assessments.
+Description: NOAA Fisheries uses stock assessments to monitor the condition of nearly
+ 500 fish stocks and stock complexes (groups of similar stocks managed together).
+ Stock assessments are scientific efforts that involve data collection, data processing,
+ and mathematical modeling that estimate the health and size of a fish stock, measure
+ how fishing affects the stock, and project harvest levels that achieve the largest
+ sustainable long-term yield. Stock assessments are the backbone of sustainable fisheries
+ management. These assessments allow us to evaluate and report the status of managed
+ fisheries, marine mammals, and endangered/threatened species under the authorities
+ of the Magnuson-Stevens Fishery Conservation and Management Act, the Marine Mammal
+ Protection Act, and the Endangered Species Act. The outcome of this project will
+ be to develop and document a workflow for running existing stock assessment platforms
+ (e.g. StockSynthesis, Multifan-CL, Beaufort Assessment Model, etc.) on a distributed
+ computing system in order to facilitate the script based, ‘simultaneous’ exploration
+ of multiple alternative model configurations. This workflow can be used to develop
+ a stock assessment in either the single best base case or ensemble model framework.
+ This project will support hypothesis exploration, model ensembling, and improved
+ automation of stock assessments.
Department: Pacific Islands Fisheries Science Center
FieldOfScience: Natural Resources and Conservation
Organization: National Oceanic and Atmospheric Administration
@@ -27,3 +23,4 @@ PIName: Nicholas Ducharme-Barth
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '3.0301'
diff --git a/projects/NOAA_Fisch.yaml b/projects/NOAA_Fisch.yaml
index 72de26f0e..8688cdaf9 100644
--- a/projects/NOAA_Fisch.yaml
+++ b/projects/NOAA_Fisch.yaml
@@ -1,8 +1,11 @@
-Description: >
- My research aims to improve population models of fisheries resources so as to better facilitate seafood sustainability
- and our understanding of marine and freshwater populations. This involves the development of highly-parameterized
- non linear models requiring numerical solutions and numerical integration.
+Description: >
+ My research aims to improve population models of fisheries resources so as to better
+ facilitate seafood sustainability
+ and our understanding of marine and freshwater populations. This involves the development
+ of highly-parameterized
+ non linear models requiring numerical solutions and numerical integration.
Department: National Marine Fisheries Service
FieldOfScience: Natural Resources and Conservation
Organization: National Oceanic and Atmospheric Administration
PIName: Nicholas Fisch
+FieldOfScienceID: '03'
diff --git a/projects/NOAA_Vincent.yaml b/projects/NOAA_Vincent.yaml
index 82d920c6e..9cf9b0faa 100644
--- a/projects/NOAA_Vincent.yaml
+++ b/projects/NOAA_Vincent.yaml
@@ -7,3 +7,4 @@ PIName: Matthew Vincent
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '03'
diff --git a/projects/NOIRLab_Zhang.yaml b/projects/NOIRLab_Zhang.yaml
index 2df1144c8..14177d9bd 100644
--- a/projects/NOIRLab_Zhang.yaml
+++ b/projects/NOIRLab_Zhang.yaml
@@ -1,5 +1,8 @@
-Description: "Processing astronomical images from the Dark Energy Camera on the Blanco telescope for various research analyses. Perform scientific analyses on clusters of galaxies, features of massive galaxies, and measurements of weak gravitational lensing. Webpage: https://sites.google.com/view/astro-ynzhang/research"
-Department: Community Science and Data Center
+Description: 'Processing astronomical images from the Dark Energy Camera on the Blanco
+ telescope for various research analyses. Perform scientific analyses on clusters
+ of galaxies, features of massive galaxies, and measurements of weak gravitational
+ lensing. Webpage: https://sites.google.com/view/astro-ynzhang/research'
+Department: Community Science and Data Center
FieldOfScience: Astronomy and Astrophysics
Organization: NOIR Lab
PIName: Yuanyuan Zhang
@@ -7,3 +10,4 @@ PIName: Yuanyuan Zhang
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0202'
diff --git a/projects/NRELMatDB.yaml b/projects/NRELMatDB.yaml
index 9fcf7b724..0ccfdb762 100644
--- a/projects/NRELMatDB.yaml
+++ b/projects/NRELMatDB.yaml
@@ -8,3 +8,4 @@ PIName: Peter Graf
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.1001'
diff --git a/projects/NSDF.yaml b/projects/NSDF.yaml
index 2e2cc07fb..c390ef169 100644
--- a/projects/NSDF.yaml
+++ b/projects/NSDF.yaml
@@ -1,5 +1,6 @@
Department: San Diego Supercomputing Center
-Description: Project for the National Science Data Fabric's investigations of the Open Science Data Federation, and other data movement within the OSG Consortium.
+Description: Project for the National Science Data Fabric's investigations of the
+ Open Science Data Federation, and other data movement within the OSG Consortium.
FieldOfScience: Computer Sciences
ID: '850'
Organization: University of California, San Diego
@@ -7,3 +8,4 @@ PIName: Frank Wuerthwein
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 11.0701a
diff --git a/projects/NSHE_SCS.yaml b/projects/NSHE_SCS.yaml
index 6a21e3c85..3fe3846b4 100644
--- a/projects/NSHE_SCS.yaml
+++ b/projects/NSHE_SCS.yaml
@@ -1,9 +1,10 @@
-Description: Group for University of Nevada staff members to explore the OSPool
+Description: Group for University of Nevada staff members to explore the OSPool
Department: System Computing Services Group
-FieldOfScience: Research Computing
+FieldOfScience: Research Computing
Organization: Nevada System of Higher Education
PIName: Zachary Newell
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/NSLS2ID.yaml b/projects/NSLS2ID.yaml
index a6bf1e16c..abf3e96dc 100644
--- a/projects/NSLS2ID.yaml
+++ b/projects/NSLS2ID.yaml
@@ -10,3 +10,4 @@ PIName: Dean Andrew Hidas
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/NSNM.yaml b/projects/NSNM.yaml
index 1b8af716e..2b35fb10d 100644
--- a/projects/NSNM.yaml
+++ b/projects/NSNM.yaml
@@ -8,3 +8,4 @@ PIName: Vadim Apalkov
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/NWChem.yaml b/projects/NWChem.yaml
index 5a5be50ff..91eb649c4 100644
--- a/projects/NWChem.yaml
+++ b/projects/NWChem.yaml
@@ -14,3 +14,4 @@ PIName: Manish Parashar
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '11'
diff --git a/projects/NYU_Fund.yaml b/projects/NYU_Fund.yaml
index 570a1f0ff..af50218c4 100644
--- a/projects/NYU_Fund.yaml
+++ b/projects/NYU_Fund.yaml
@@ -9,3 +9,4 @@ ID: '778'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.1'
diff --git a/projects/NapusGenome.yaml b/projects/NapusGenome.yaml
index 184393b2c..0bdf2465b 100644
--- a/projects/NapusGenome.yaml
+++ b/projects/NapusGenome.yaml
@@ -8,3 +8,4 @@ PIName: Joel Bader
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/NeoflAnnot.yaml b/projects/NeoflAnnot.yaml
index 42d519dcb..4a1d04a5a 100644
--- a/projects/NeoflAnnot.yaml
+++ b/projects/NeoflAnnot.yaml
@@ -8,3 +8,4 @@ PIName: Petra Lenz
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/NeurOscillation.yaml b/projects/NeurOscillation.yaml
index 9165e8ed8..1ecdbdbd9 100644
--- a/projects/NeurOscillation.yaml
+++ b/projects/NeurOscillation.yaml
@@ -16,3 +16,4 @@ PIName: Bradley Voytek
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.15'
diff --git a/projects/NeuroscienceGateway.yaml b/projects/NeuroscienceGateway.yaml
index 295a9b427..71505006e 100644
--- a/projects/NeuroscienceGateway.yaml
+++ b/projects/NeuroscienceGateway.yaml
@@ -1,4 +1,4 @@
-Description: "Neuroscience Gateway (NSG)"
+Description: Neuroscience Gateway (NSG)
Department: San Diego Supercomputing Center
FieldOfScience: Neuroscience
Organization: University of California, San Diego
@@ -9,3 +9,4 @@ ID: '643'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.15'
diff --git a/projects/NichollsState_Whitaker.yaml b/projects/NichollsState_Whitaker.yaml
index d9304dd7d..69b4ae453 100644
--- a/projects/NichollsState_Whitaker.yaml
+++ b/projects/NichollsState_Whitaker.yaml
@@ -1,10 +1,13 @@
-Description: Use genetic and epigenetic approaches to answer ecological and evolutionary questions with a specific interest in applications to conservation and management of species
-Department: Biological Sciences
+Description: Use genetic and epigenetic approaches to answer ecological and evolutionary
+ questions with a specific interest in applications to conservation and management
+ of species
+Department: Biological Sciences
FieldOfScience: Biological and Biomedical Sciences
Organization: Nicholls State University
-PIName: Justine Whitaker
+PIName: Justine Whitaker
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/Nipyperegtest.yaml b/projects/Nipyperegtest.yaml
index f59694458..37133a9e1 100644
--- a/projects/Nipyperegtest.yaml
+++ b/projects/Nipyperegtest.yaml
@@ -7,3 +7,4 @@ PIName: Satrajit Ghosh
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.15'
diff --git a/projects/Northeastern_RC.yaml b/projects/Northeastern_RC.yaml
index 2ccd2a14e..3bf43c33e 100644
--- a/projects/Northeastern_RC.yaml
+++ b/projects/Northeastern_RC.yaml
@@ -1,4 +1,5 @@
-Description: NU RC serves the university’s entire research community and helps facilitate access to HPC resources either on premise or in the cloud.
+Description: NU RC serves the university’s entire research community and helps facilitate
+ access to HPC resources either on premise or in the cloud.
Department: Information Technology Services - Research Computing
FieldOfScience: Computer Science
Organization: Northeastern University
@@ -9,3 +10,4 @@ ID: '723'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/NorthwesternMed_Yadav.yaml b/projects/NorthwesternMed_Yadav.yaml
index fc5884ca3..da233b25c 100644
--- a/projects/NorthwesternMed_Yadav.yaml
+++ b/projects/NorthwesternMed_Yadav.yaml
@@ -1,6 +1,8 @@
Department: Department of Radiation Oncology
-Description: 'Monte Carlo simulations of the Boltzmann radiation transport equation to investigate radiation absorbed dose delivered from megavoltage linear accelerators. '
+Description: 'Monte Carlo simulations of the Boltzmann radiation transport equation
+ to investigate radiation absorbed dose delivered from megavoltage linear accelerators. '
FieldOfScience: Physics
Organization: Northwestern Medicine
PIName: Poonam Yadav
+FieldOfScienceID: '40.08'
diff --git a/projects/Nova.yaml b/projects/Nova.yaml
index 46ee6f5d7..1347c5bf8 100644
--- a/projects/Nova.yaml
+++ b/projects/Nova.yaml
@@ -7,3 +7,4 @@ PIName: Joe Boyd
Sponsor:
VirtualOrganization:
Name: Fermilab
+FieldOfScienceID: '40.08'
diff --git a/projects/OHSU_Katamreddy.yaml b/projects/OHSU_Katamreddy.yaml
index 263ba5e80..b7ea8468c 100644
--- a/projects/OHSU_Katamreddy.yaml
+++ b/projects/OHSU_Katamreddy.yaml
@@ -1,8 +1,8 @@
Description: >
- Cardiovascular disease occurs due to environmental factors like diet,
- exercise but also due to genetic predisposition.
- I want to work on finding genetic pathways that underlie the genesis cardiovascular disease.
- Please find link to my previous work on cardiovascular disease and medicine.
+ Cardiovascular disease occurs due to environmental factors like diet, exercise
+ but also due to genetic predisposition. I want to work on finding genetic pathways
+ that underlie the genesis cardiovascular disease. Please find link to my previous
+ work on cardiovascular disease and medicine.
Adarsh Katamreddy - Google Scholar
Department: Cardiovascular Medicine
FieldOfScience: Medical Sciences
@@ -12,3 +12,4 @@ PIName: Adarsh Katamreddy
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.0907'
diff --git a/projects/ORISSWarp.yaml b/projects/ORISSWarp.yaml
index 9ad61f1f8..ac153d90e 100644
--- a/projects/ORISSWarp.yaml
+++ b/projects/ORISSWarp.yaml
@@ -1,4 +1,5 @@
-Description: Using Warp to model ORISS to investigate the effects of intense space charge on the charged particle optics
+Description: Using Warp to model ORISS to investigate the effects of intense space
+ charge on the charged particle optics
Department: Accelerator Systems
FieldOfScience: Nuclear Physics
Organization: Facility for Rare Isotopes Beams (FRIB)
@@ -10,3 +11,4 @@ Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0806'
diff --git a/projects/OSG-CSC00100.yaml b/projects/OSG-CSC00100.yaml
index d4da7f5ce..ea988b675 100644
--- a/projects/OSG-CSC00100.yaml
+++ b/projects/OSG-CSC00100.yaml
@@ -13,3 +13,4 @@ PIName: George Rudolph
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '11'
diff --git a/projects/OSG-Staff.yaml b/projects/OSG-Staff.yaml
index 8f2f1e5c8..686239f95 100644
--- a/projects/OSG-Staff.yaml
+++ b/projects/OSG-Staff.yaml
@@ -9,11 +9,12 @@ Sponsor:
Name: OSG
ResourceAllocations:
- - Type: XRAC
- SubmitResources:
- - CHTC-XD-SUBMIT
- - UChicago_OSGConnect_login04
- - UChicago_OSGConnect_login05
- ExecuteResourceGroups:
- - GroupName: TACC-Stampede2
- LocalAllocationID: "TG-DDM160003"
+- Type: XRAC
+ SubmitResources:
+ - CHTC-XD-SUBMIT
+ - UChicago_OSGConnect_login04
+ - UChicago_OSGConnect_login05
+ ExecuteResourceGroups:
+ - GroupName: TACC-Stampede2
+ LocalAllocationID: TG-DDM160003
+FieldOfScienceID: 11.0701b
diff --git a/projects/OSGOpsTrain.yaml b/projects/OSGOpsTrain.yaml
index ac131d3d6..27b0e87a0 100644
--- a/projects/OSGOpsTrain.yaml
+++ b/projects/OSGOpsTrain.yaml
@@ -7,3 +7,4 @@ PIName: Rob Quick
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30.3001'
diff --git a/projects/OSGUserSchool2022.yaml b/projects/OSGUserSchool2022.yaml
index 046579f24..fa7a29d1f 100644
--- a/projects/OSGUserSchool2022.yaml
+++ b/projects/OSGUserSchool2022.yaml
@@ -1,4 +1,4 @@
-Description: Group for OSG User School 2022 participants
+Description: Group for OSG User School 2022 participants
Department: Computer Sciences
FieldOfScience: Research Computing
Organization: University of Wisconsin-Madison
@@ -7,3 +7,4 @@ PIName: Tim Cartwright
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 11.0701b
diff --git a/projects/OSGUserTrainingPilot.yaml b/projects/OSGUserTrainingPilot.yaml
index cac3081b5..0216c64da 100644
--- a/projects/OSGUserTrainingPilot.yaml
+++ b/projects/OSGUserTrainingPilot.yaml
@@ -1,6 +1,6 @@
Description: User training
Department: OSGConnect
-FieldOfScience: Training
+FieldOfScience: Training
Organization: Open Science Grid
PIName: Christina Koch
@@ -9,3 +9,4 @@ ID: '806'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30.3001'
diff --git a/projects/OSG_SoftwareInventory.yaml b/projects/OSG_SoftwareInventory.yaml
index af35f9f9d..5e0368cf1 100644
--- a/projects/OSG_SoftwareInventory.yaml
+++ b/projects/OSG_SoftwareInventory.yaml
@@ -1,8 +1,12 @@
Department: Computing Sector (OSG Security Team)
-Description: OSG Security Team collaboration group currently working on building a worker node scanning tool. They are using OSG Connect for testing this tool. This group of researchers will likely evolve over time, as will their projects and collaborations. As of October 2023, Josh Drake is a point of contact.
+Description: OSG Security Team collaboration group currently working on building a
+ worker node scanning tool. They are using OSG Connect for testing this tool. This
+ group of researchers will likely evolve over time, as will their projects and collaborations.
+ As of October 2023, Josh Drake is a point of contact.
FieldOfScience: Computer and Information Science and Engineering
Organization: OSG
PIName: Josh Drake
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '43.0404'
diff --git a/projects/OSURHIT.yaml b/projects/OSURHIT.yaml
index 35ac01d49..38d808e2d 100644
--- a/projects/OSURHIT.yaml
+++ b/projects/OSURHIT.yaml
@@ -9,3 +9,4 @@ PIName: Ulrich Heinz
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0806'
diff --git a/projects/OSU_Weinberg.yaml b/projects/OSU_Weinberg.yaml
index e3f70fa96..60c1fe0a0 100644
--- a/projects/OSU_Weinberg.yaml
+++ b/projects/OSU_Weinberg.yaml
@@ -1,4 +1,6 @@
-Description: The project is about analyzing behaviors and primitives of market participants so that we can quantify effects coming from the changes in market competition, structure, policies, etc.
+Description: The project is about analyzing behaviors and primitives of market participants
+ so that we can quantify effects coming from the changes in market competition, structure,
+ policies, etc.
Department: Economics
FieldOfScience: Economics
Organization: The Ohio State University
@@ -9,3 +11,4 @@ ID: '832'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '19.0402'
diff --git a/projects/OTPCand0vbb.yaml b/projects/OTPCand0vbb.yaml
index c3998ab26..67c860af6 100644
--- a/projects/OTPCand0vbb.yaml
+++ b/projects/OTPCand0vbb.yaml
@@ -1,13 +1,13 @@
Department: Physics
-Description: "PSEC group at the University of Chicago is developing Large-Area Picosecond\
- \ Photo-Detectors (LAPPDs). By reconstructing the arrival position and time of photons\
- \ produced in water or liquid scintillator on highly segmented fast photo-detectors\
- \ such as LAPPDs one can reconstruct tracks by using the `drift time' of photons,\
- \ much as one does\nwith electrons in a Time Projection Chamber. We are developing\
- \ new event reconstruction techniques for large water and liquid scintillator detectors.\
- \ For example see A. Elagin et al., \u201CSeparating Double-Beta Decay Events from\
- \ Solar Neutrino Interactions in a Kiloton-Scale Liquid Scintillator Detector by\
- \ Fast Timing\u201D, Nucl. Instr. Meth. Phys. Res. A849 (2017) 102."
+Description: "PSEC group at the University of Chicago is developing Large-Area Picosecond
+ Photo-Detectors (LAPPDs). By reconstructing the arrival position and time of photons
+ produced in water or liquid scintillator on highly segmented fast photo-detectors
+ such as LAPPDs one can reconstruct tracks by using the `drift time' of photons,
+ much as one does\nwith electrons in a Time Projection Chamber. We are developing
+ new event reconstruction techniques for large water and liquid scintillator detectors.
+ For example see A. Elagin et al., “Separating Double-Beta Decay Events from Solar
+ Neutrino Interactions in a Kiloton-Scale Liquid Scintillator Detector by Fast Timing”,
+ Nucl. Instr. Meth. Phys. Res. A849 (2017) 102."
FieldOfScience: High Energy Physics
ID: '458'
Organization: University of Chicago
@@ -15,3 +15,4 @@ PIName: Henry Frisch
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/Orbiter.yaml b/projects/Orbiter.yaml
index 488e0b4a9..552dac9c0 100644
--- a/projects/Orbiter.yaml
+++ b/projects/Orbiter.yaml
@@ -9,3 +9,4 @@ PIName: Anton Betten
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27'
diff --git a/projects/OregonState_Simon.yaml b/projects/OregonState_Simon.yaml
index 733ab1806..aa953d1d9 100644
--- a/projects/OregonState_Simon.yaml
+++ b/projects/OregonState_Simon.yaml
@@ -7,3 +7,4 @@ PIName: Cory Simon
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/P0-LBNE.yaml b/projects/P0-LBNE.yaml
index 79a800a8f..4336e9237 100644
--- a/projects/P0-LBNE.yaml
+++ b/projects/P0-LBNE.yaml
@@ -13,3 +13,4 @@ PIName: Maxim Potekhin
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '40.08'
diff --git a/projects/PBOSD.yaml b/projects/PBOSD.yaml
index bf30f136f..fc56f9a1d 100644
--- a/projects/PBOSD.yaml
+++ b/projects/PBOSD.yaml
@@ -1,13 +1,13 @@
Department: Structural Engineering
-Description: "Probability-based structural design has now emerged as the most advanced\
- \ methodology to design new and retrofit existing structures in the face of uncertainty.\
- \ The \nfocus of our research lies at the intersection of the areas of structural\
- \ engineering and risk engineering against natural hazards (e.g., earthquakes).\
- \ A large number of computationally-demanding Finite Element simulation jobs need\
- \ to \nbe run as part of our research using open source software (e.g., OpenSees,\
- \ Dakota) and script languages (e.g., Matlab, Python). Thus, the used of high-throughput\
- \ computing resources will be central for the success of our potentially \nhigh-impact\
- \ research on probability-based optimum structural design against natural hazards."
+Description: "Probability-based structural design has now emerged as the most advanced
+ methodology to design new and retrofit existing structures in the face of uncertainty.
+ The \nfocus of our research lies at the intersection of the areas of structural
+ engineering and risk engineering against natural hazards (e.g., earthquakes). A
+ large number of computationally-demanding Finite Element simulation jobs need to
+ \nbe run as part of our research using open source software (e.g., OpenSees, Dakota)
+ and script languages (e.g., Matlab, Python). Thus, the used of high-throughput computing
+ resources will be central for the success of our potentially \nhigh-impact research
+ on probability-based optimum structural design against natural hazards."
FieldOfScience: Civil Engineering
ID: '364'
Organization: University of California, San Diego
@@ -15,3 +15,4 @@ PIName: Yong Li
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.08'
diff --git a/projects/PCFOSGUCSD.yaml b/projects/PCFOSGUCSD.yaml
index ee703a1e0..5b8816815 100644
--- a/projects/PCFOSGUCSD.yaml
+++ b/projects/PCFOSGUCSD.yaml
@@ -8,3 +8,4 @@ PIName: Frank Wuerthwein
Sponsor:
CampusGrid:
Name: UCSD
+FieldOfScienceID: '40.08'
diff --git a/projects/PNGtemplate.yaml b/projects/PNGtemplate.yaml
index 0ca3ff14d..3ebe6cf6d 100644
--- a/projects/PNGtemplate.yaml
+++ b/projects/PNGtemplate.yaml
@@ -1,6 +1,6 @@
-Description: This project aims at creating population-specific templates
- that target adolescent athletes, based on the T1-weighted images from Purdue
- Neurotrauma Group (PNG) longitudinal datasets.
+Description: This project aims at creating population-specific templates that target
+ adolescent athletes, based on the T1-weighted images from Purdue Neurotrauma Group
+ (PNG) longitudinal datasets.
Department: Biomedical Engineering
FieldOfScience: Medical Imaging
Organization: Purdue University
@@ -12,3 +12,4 @@ Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '51'
diff --git a/projects/POLARBEAR.yaml b/projects/POLARBEAR.yaml
index 99c446d98..9da22129c 100644
--- a/projects/POLARBEAR.yaml
+++ b/projects/POLARBEAR.yaml
@@ -15,3 +15,4 @@ PIName: Brian Keating
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0202'
diff --git a/projects/PRP.yaml b/projects/PRP.yaml
index 9884f7be3..941c76624 100644
--- a/projects/PRP.yaml
+++ b/projects/PRP.yaml
@@ -1,9 +1,8 @@
-Description: The PRP is a partnership of more than 50 institutions,
- led by researchers at UC San Diego and UC Berkeley. The PRP builds
- on the optical backbone of Pacific Wave, a joint project of CENIC
- and the Pacific Northwest GigaPOP (PNWGP) to create a seamless
- research platform that encourages collaboration on a broad range
- of data-intensive fields and projects.
+Description: The PRP is a partnership of more than 50 institutions, led by researchers
+ at UC San Diego and UC Berkeley. The PRP builds on the optical backbone of Pacific
+ Wave, a joint project of CENIC and the Pacific Northwest GigaPOP (PNWGP) to create
+ a seamless research platform that encourages collaboration on a broad range of data-intensive
+ fields and projects.
Department: Calit2
FieldOfScience: Computer Science
Organization: University of California, San Diego
@@ -14,3 +13,4 @@ ID: '786'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/PRP_Defanti.yaml b/projects/PRP_Defanti.yaml
index 2430f71b0..33a03683c 100644
--- a/projects/PRP_Defanti.yaml
+++ b/projects/PRP_Defanti.yaml
@@ -1,10 +1,11 @@
Department: Pacific Research Platform
Description: Machine Learning HTCondor submission from PRP Nautilus
FieldOfScience: Machine Learning/AI
-ID: '754'
+ID: '754'
Name: PRP
Organization: Pacific Research Platform
PIName: Tom DeFanti
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.0102'
diff --git a/projects/PRTH.yaml b/projects/PRTH.yaml
index 5af4920d0..502afdb95 100644
--- a/projects/PRTH.yaml
+++ b/projects/PRTH.yaml
@@ -9,3 +9,4 @@ PIName: Endre Takacs
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/PSFmodeling.yaml b/projects/PSFmodeling.yaml
index 2979343bd..06c835594 100644
--- a/projects/PSFmodeling.yaml
+++ b/projects/PSFmodeling.yaml
@@ -9,3 +9,4 @@ PIName: Paul Vaska
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.0501'
diff --git a/projects/PSI_Kaib.yaml b/projects/PSI_Kaib.yaml
index 1883156d9..d36374b23 100644
--- a/projects/PSI_Kaib.yaml
+++ b/projects/PSI_Kaib.yaml
@@ -1,8 +1,10 @@
Description: >
- I will be using computer simulations to model the orbital evolution of comets and asteroids over the
- lifetime of the solar system. In addition, I will be studying the stability of the solar system and Kuiper belt as
+ I will be using computer simulations to model the orbital evolution of comets and
+ asteroids over the lifetime of the solar system. In addition, I will be studying
+ the stability of the solar system and Kuiper belt as
it is subjected to close flybys of other stars in the Milky Way. https://www.psi.edu/about/staffpage/nkaib
Department: Planetary Science Institute
FieldOfScience: Astronomy and Astrophysics
Organization: Planetary Science Institute
PIName: Nathan Kaib
+FieldOfScienceID: '40.0202'
diff --git a/projects/PSU_Anandakrishnan.yaml b/projects/PSU_Anandakrishnan.yaml
index 47032fa14..f31edddf3 100644
--- a/projects/PSU_Anandakrishnan.yaml
+++ b/projects/PSU_Anandakrishnan.yaml
@@ -10,3 +10,4 @@ PIName: Sridhar Anandakrishnan
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.06'
diff --git a/projects/PSU_Chen.yaml b/projects/PSU_Chen.yaml
index 905d171aa..d20f958d6 100644
--- a/projects/PSU_Chen.yaml
+++ b/projects/PSU_Chen.yaml
@@ -1,4 +1,5 @@
-Description: Computing high-throughput thermodynamic properties and domain structures of lead-free ferroelectric materials and their heterostructures
+Description: Computing high-throughput thermodynamic properties and domain structures
+ of lead-free ferroelectric materials and their heterostructures
Department: Materials Science and Engineering
FieldOfScience: Materials Science
Organization: Pennsylvania State University
@@ -9,3 +10,4 @@ ID: '772'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.1001'
diff --git a/projects/PSU_Kennea.yaml b/projects/PSU_Kennea.yaml
index 529b0671a..e2fef4a7b 100644
--- a/projects/PSU_Kennea.yaml
+++ b/projects/PSU_Kennea.yaml
@@ -1,5 +1,5 @@
Department: Department of Astronomy and Astrophysics
-Description: Swift BAT data to localize Gamma-ray Bursts
+Description: Swift BAT data to localize Gamma-ray Bursts
FieldOfScience: Astronomy
Organization: Pennsylvania State University
PIName: Jamie Kennea
@@ -7,3 +7,4 @@ PIName: Jamie Kennea
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.02'
diff --git a/projects/PSU_Rechtsman.yaml b/projects/PSU_Rechtsman.yaml
index fb6f73a7f..55a06689f 100644
--- a/projects/PSU_Rechtsman.yaml
+++ b/projects/PSU_Rechtsman.yaml
@@ -7,3 +7,4 @@ PIName: Mikael Rechtman
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/PSU_Staff.yaml b/projects/PSU_Staff.yaml
index 45e205baf..457348d53 100644
--- a/projects/PSU_Staff.yaml
+++ b/projects/PSU_Staff.yaml
@@ -10,3 +10,4 @@ Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 11.0701a
diff --git a/projects/PSU_Yamamoto.yaml b/projects/PSU_Yamamoto.yaml
index a6d83b0c9..540aceab6 100644
--- a/projects/PSU_Yamamoto.yaml
+++ b/projects/PSU_Yamamoto.yaml
@@ -1,11 +1,10 @@
-Description: A machine learning-based 3D reconstruction of highly porous
- cement samples cured in a microgravity environment is being pursued.
- The approach follows a deep learning-based framework based on the solid
- texture synthesis method, widely adopted in the computer graphics
- community. Preliminary results https://doi.org/10.2514/6.2023-2025
- showed promising results, and with increased computational resources,
- larger exemplars higher resolution will be used for 3D reconstruction.
-Department: Aerospace Engineering
+Description: A machine learning-based 3D reconstruction of highly porous cement samples
+ cured in a microgravity environment is being pursued. The approach follows a deep
+ learning-based framework based on the solid texture synthesis method, widely adopted
+ in the computer graphics community. Preliminary results https://doi.org/10.2514/6.2023-2025
+ showed promising results, and with increased computational resources, larger exemplars
+ higher resolution will be used for 3D reconstruction.
+Department: Aerospace Engineering
FieldOfScience: Aerospace, Aeronautical, and Astronautical Engineering
Organization: Pennsylvania State University
PIName: Namiko Yamamoto
@@ -13,3 +12,4 @@ PIName: Namiko Yamamoto
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.02'
diff --git a/projects/PTMC.yaml b/projects/PTMC.yaml
index 46dc63526..3c3bb01a5 100644
--- a/projects/PTMC.yaml
+++ b/projects/PTMC.yaml
@@ -9,3 +9,4 @@ PIName: Derek Dolney
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/PainDrugs.yaml b/projects/PainDrugs.yaml
index 5603d2631..d6f0f8a42 100644
--- a/projects/PainDrugs.yaml
+++ b/projects/PainDrugs.yaml
@@ -7,3 +7,4 @@ PIName: Pei Tang
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/PanEn.yaml b/projects/PanEn.yaml
index e9767debc..1ca5c2a8a 100644
--- a/projects/PanEn.yaml
+++ b/projects/PanEn.yaml
@@ -1,7 +1,9 @@
-Description: Parallel Analog Ensemble (PAnEn) is a parallel implementation for the Analog Ensemble (AnEn) technique which generates uncertainty information for a deterministic predictive model.
+Description: Parallel Analog Ensemble (PAnEn) is a parallel implementation for the
+ Analog Ensemble (AnEn) technique which generates uncertainty information for a deterministic
+ predictive model.
Department: Geography
FieldOfScience: Geography
-Organization: Pennsylvania State University
+Organization: Pennsylvania State University
PIName: Guido Cervone
ID: '581'
@@ -9,3 +11,4 @@ ID: '581'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '45.0701'
diff --git a/projects/Paniceae-trans.yaml b/projects/Paniceae-trans.yaml
index 7699f8c62..0ba38634f 100644
--- a/projects/Paniceae-trans.yaml
+++ b/projects/Paniceae-trans.yaml
@@ -8,3 +8,4 @@ PIName: Jacob Washburn
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.13'
diff --git a/projects/PathSpaceHMC.yaml b/projects/PathSpaceHMC.yaml
index 1a8d1c273..435ec984b 100644
--- a/projects/PathSpaceHMC.yaml
+++ b/projects/PathSpaceHMC.yaml
@@ -22,3 +22,4 @@ PIName: Frank Pinski
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0808'
diff --git a/projects/PegasusTraining.yaml b/projects/PegasusTraining.yaml
index 1355ff620..7586cf8ac 100644
--- a/projects/PegasusTraining.yaml
+++ b/projects/PegasusTraining.yaml
@@ -7,3 +7,4 @@ PIName: Mats Rynge
Sponsor:
CampusGrid:
Name: ISI
+FieldOfScienceID: '30.3001'
diff --git a/projects/PennState_Hanna.yaml b/projects/PennState_Hanna.yaml
index 28b380748..8ca512137 100644
--- a/projects/PennState_Hanna.yaml
+++ b/projects/PennState_Hanna.yaml
@@ -9,3 +9,4 @@ ID: '835'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/PercARsolar.yaml b/projects/PercARsolar.yaml
index af7e74bc2..127425c0f 100644
--- a/projects/PercARsolar.yaml
+++ b/projects/PercARsolar.yaml
@@ -1,4 +1,16 @@
-Description: "Project entails the participation of a number of students in a graduate level class in running a code that simulates the evolution of solar active regions as a percolation phenomenon. A number of students will continue the research as part of their Master's thesis at Chicago State University. Computationally, the project builds upon work done previously by Seiden and Wentzel, by adding a new algorithm in tracking the polarity of the magnetic field structures on the solar photosphere. Requirements for the project is python version 3+. Typical single core walltime of each job is 1 hour for a modest resolution of a 2D grid. Upper limit of walltime is about 3 hours for the highest resolution consistent with the limitations of the algorithm.The project seeks to determine the steady state of the solar cycle by varying the emergence and diffusion probability parameters of magnetic flux tubes. The percolation engine is inherently chaotic and finely tuned values for these parameters are sought in a sweep of the probability space through a large volume of jobs."
+Description: Project entails the participation of a number of students in a graduate
+ level class in running a code that simulates the evolution of solar active regions
+ as a percolation phenomenon. A number of students will continue the research as
+ part of their Master's thesis at Chicago State University. Computationally, the
+ project builds upon work done previously by Seiden and Wentzel, by adding a new
+ algorithm in tracking the polarity of the magnetic field structures on the solar
+ photosphere. Requirements for the project is python version 3+. Typical single core
+ walltime of each job is 1 hour for a modest resolution of a 2D grid. Upper limit
+ of walltime is about 3 hours for the highest resolution consistent with the limitations
+ of the algorithm.The project seeks to determine the steady state of the solar cycle
+ by varying the emergence and diffusion probability parameters of magnetic flux tubes.
+ The percolation engine is inherently chaotic and finely tuned values for these parameters
+ are sought in a sweep of the probability space through a large volume of jobs.
Department: Astronomy
FieldOfScience: Astronomy
Organization: Chicago State University
@@ -9,3 +21,4 @@ ID: '642'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.02'
diff --git a/projects/Perchlorate.yaml b/projects/Perchlorate.yaml
index 4002c9c45..5a4ef6daa 100644
--- a/projects/Perchlorate.yaml
+++ b/projects/Perchlorate.yaml
@@ -8,3 +8,4 @@ PIName: Justin M Hutchison
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14'
diff --git a/projects/Pheno.yaml b/projects/Pheno.yaml
index cbe95cac2..d35b6246c 100644
--- a/projects/Pheno.yaml
+++ b/projects/Pheno.yaml
@@ -1,18 +1,18 @@
Department: Theory Group
-Description: "The goal of this project is to test and validate the Sherpa\nand Blackhat\
- \ software for particle physics phenomenology at the\nLarge Hadron Collider (LHC),\
- \ and to perform studies which are directly\napplicable to physics analyses in the\
- \ LHC experiments ATLAS and CMS.\n\nSherpa is a complete Monte-Carlo event generation\
- \ framework\nfor collider experiments. Hard scattering events are simulated\nusing\
- \ perturbative QCD at the leading or the next-to-leading\norder with the help of\
- \ BlackHat. QCD Resummation is implemented\nby an in-house parton shower model based\
- \ on the dipole factorization\napproach. Hadronization is performed in a cluster\
- \ model and\na complete hadron decay simulation is included in the program.\n\n\
- BlackHat is a program library to compute virtual corrections\nin perturbative QCD\
- \ based on generalized unitarity methods.\nIt is used to produce particle-level\
- \ cross sections for\nphenomenologically relevant signal and background reactions\n\
- of high particle multiplicity at the Large Hadron Collider.\n\nRecent progress achieved\
- \ with the combination of BlackHat and\nSherpa is described at \n https://twiki.grid.iu.edu/bin/view/Management/Nov2012Newsletter#Precision_Event_Simulation_for_t"
+Description: "The goal of this project is to test and validate the Sherpa\nand Blackhat
+ software for particle physics phenomenology at the\nLarge Hadron Collider (LHC),
+ and to perform studies which are directly\napplicable to physics analyses in the
+ LHC experiments ATLAS and CMS.\n\nSherpa is a complete Monte-Carlo event generation
+ framework\nfor collider experiments. Hard scattering events are simulated\nusing
+ perturbative QCD at the leading or the next-to-leading\norder with the help of BlackHat.
+ QCD Resummation is implemented\nby an in-house parton shower model based on the
+ dipole factorization\napproach. Hadronization is performed in a cluster model and\n
+ a complete hadron decay simulation is included in the program.\n\nBlackHat is a
+ program library to compute virtual corrections\nin perturbative QCD based on generalized
+ unitarity methods.\nIt is used to produce particle-level cross sections for\nphenomenologically
+ relevant signal and background reactions\nof high particle multiplicity at the Large
+ Hadron Collider.\n\nRecent progress achieved with the combination of BlackHat and\n
+ Sherpa is described at \n https://twiki.grid.iu.edu/bin/view/Management/Nov2012Newsletter#Precision_Event_Simulation_for_t"
FieldOfScience: High Energy Physics
ID: '59'
Organization: SLAC National Accelerator Laboratory
@@ -20,3 +20,4 @@ PIName: Stefan Hoeche
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '40.08'
diff --git a/projects/Phylo.yaml b/projects/Phylo.yaml
index 1a142d69d..ff6a0aea2 100644
--- a/projects/Phylo.yaml
+++ b/projects/Phylo.yaml
@@ -10,3 +10,4 @@ PIName: Siavash Mirarab
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/Phylogenomics.yaml b/projects/Phylogenomics.yaml
index 716d415ad..07d81d402 100644
--- a/projects/Phylogenomics.yaml
+++ b/projects/Phylogenomics.yaml
@@ -10,3 +10,4 @@ PIName: Nathan G Swenson
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/Pitt_Aizenstein.yaml b/projects/Pitt_Aizenstein.yaml
index 4a60cf85a..4bff59df5 100644
--- a/projects/Pitt_Aizenstein.yaml
+++ b/projects/Pitt_Aizenstein.yaml
@@ -1,4 +1,6 @@
-Description: We are applying novel machine learning methods to predict late life depression treatment response using neuroimaging data. We would utilize the computing resources to preprocess large amounts of neuroimaging data.
+Description: We are applying novel machine learning methods to predict late life depression
+ treatment response using neuroimaging data. We would utilize the computing resources
+ to preprocess large amounts of neuroimaging data.
Department: Department of Bioengineering
FieldOfScience: Biological and Biomedical Sciences
Organization: University of Pittsburgh
@@ -7,3 +9,4 @@ PIName: Howard Aizenstein
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.0102'
diff --git a/projects/Pitt_Koes.yaml b/projects/Pitt_Koes.yaml
index 8ddc4fa5f..3fab20f1c 100644
--- a/projects/Pitt_Koes.yaml
+++ b/projects/Pitt_Koes.yaml
@@ -9,3 +9,4 @@ ID: '626'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0506'
diff --git a/projects/PixleyLab.yaml b/projects/PixleyLab.yaml
index 26e3c1a55..c443e55d8 100644
--- a/projects/PixleyLab.yaml
+++ b/projects/PixleyLab.yaml
@@ -1,5 +1,6 @@
Department: Physics
-Description: Condensed matter theory including quantum phase transitions of many-body systems
+Description: Condensed matter theory including quantum phase transitions of many-body
+ systems
FieldOfScience: Physics
ID: '544'
Organization: Rutgers, The State University of New Jersey
@@ -7,3 +8,4 @@ PIName: Jedediah Pixley
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/PlantBio.yaml b/projects/PlantBio.yaml
index 9896e2467..e31de3397 100644
--- a/projects/PlantBio.yaml
+++ b/projects/PlantBio.yaml
@@ -8,3 +8,4 @@ PIName: Joy Bergleson
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.03'
diff --git a/projects/PopDy.yaml b/projects/PopDy.yaml
index fb4d8b612..90e946377 100644
--- a/projects/PopDy.yaml
+++ b/projects/PopDy.yaml
@@ -8,3 +8,4 @@ PIName: Shripad Tuljapurkar
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/PorousMaterials.yaml b/projects/PorousMaterials.yaml
index d2726a42b..63106292c 100644
--- a/projects/PorousMaterials.yaml
+++ b/projects/PorousMaterials.yaml
@@ -1,7 +1,6 @@
-Description: Calculating adsorption properties for porous materials using
- Monte Carlo algorithms or simulating Henry constants using Widom
- insertions. This is accomplished using a Julia code our group has developed,
- PorousMaterials.jl
+Description: Calculating adsorption properties for porous materials using Monte Carlo
+ algorithms or simulating Henry constants using Widom insertions. This is accomplished
+ using a Julia code our group has developed, PorousMaterials.jl
Department: Chemical, Biological and Environmental Engineering
FieldOfScience: Chemical Engineering
Organization: Oregon State University
@@ -13,3 +12,4 @@ Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.07'
diff --git a/projects/PortlandState_Feng.yaml b/projects/PortlandState_Feng.yaml
index 6e2fa5051..52847a7ca 100644
--- a/projects/PortlandState_Feng.yaml
+++ b/projects/PortlandState_Feng.yaml
@@ -1,11 +1,12 @@
Description: Vulnerable Ethereum Smart Contract Registry
Department: Computer Sciences
FieldOfScience: Computer Science
-Organization: Portland State University
-PIName: Wu-chang Feng
+Organization: Portland State University
+PIName: Wu-chang Feng
ID: '666'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/PortlandState_OIT.yaml b/projects/PortlandState_OIT.yaml
index 25efec48f..1682794b9 100644
--- a/projects/PortlandState_OIT.yaml
+++ b/projects/PortlandState_OIT.yaml
@@ -7,3 +7,4 @@ PIName: Gary Sandine
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 11.0701a
diff --git a/projects/PreBioEvo.yaml b/projects/PreBioEvo.yaml
index 9aecb4d45..5ca90aa62 100644
--- a/projects/PreBioEvo.yaml
+++ b/projects/PreBioEvo.yaml
@@ -1,25 +1,16 @@
Department: Physics
-Description: 'We use simulations Kauffman-like model to study the probability of life
+Description: "We use simulations Kauffman-like model to study the probability of life
forming on other planets. This project is supported by a NASA grant and is part
- of their Astrobiology mission.
-
- Reference: A. Wynveen, I. Fedorov, and J. W. Halley, Nonequilibrium steady states
- in a model for prebiotic evolution, Physical Review E 89 , 022725 (2014)
-
- We use simulations of a Kauffman-like model for prebiotic evolution to find the
- probabilities of lifelike steady states and study their properties. This project
- is supported by a NASA grant.
-
-
- References:
-
- A. Wynveen, I. Fedorov, and J. W. Halley, Nonequilibrium steady states in a model
- for prebiotic evolution, Physical Review E 89 , 022725 (2014) (https://doi.org/10.1103/PhysRevE.89.022725)
-
-
- B. F. Intoy, A. Wynveen, and J. W. Halley, Effects of spatial diffusion on nonequilibrium
+ of their Astrobiology mission.\nReference: A. Wynveen, I. Fedorov, and J. W. Halley,
+ Nonequilibrium steady states in a model for prebiotic evolution, Physical Review
+ E 89 , 022725 (2014)\nWe use simulations of a Kauffman-like model for prebiotic
+ evolution to find the probabilities of lifelike steady states and study their properties.\
+ \ This project is supported by a NASA grant.\n\nReferences:\nA. Wynveen, I. Fedorov,
+ and J. W. Halley, Nonequilibrium steady states in a model for prebiotic evolution,
+ Physical Review E 89 , 022725 (2014) (https://doi.org/10.1103/PhysRevE.89.022725)\n
+ \nB. F. Intoy, A. Wynveen, and J. W. Halley, Effects of spatial diffusion on nonequilibrium
steady states in a model for prebiotic evolution, Physical Review E 94 , 042424
- (2016) (https://doi.org/10.1103/PhysRevE.94.042424)'
+ (2016) (https://doi.org/10.1103/PhysRevE.94.042424)"
FieldOfScience: Biophysics
ID: '319'
Organization: University of Minnesota
@@ -27,3 +18,4 @@ PIName: J. Woods Halley
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.02'
diff --git a/projects/Princeton_Jamieson.yaml b/projects/Princeton_Jamieson.yaml
index 686c96bf6..2979285fc 100644
--- a/projects/Princeton_Jamieson.yaml
+++ b/projects/Princeton_Jamieson.yaml
@@ -1,7 +1,8 @@
Description: >
- studying channel modeling using AI/ML techniques.
- Ray tracing and improving upon 3GPP standardized channel models are our goals.
+ studying channel modeling using AI/ML techniques. Ray tracing and improving upon
+ 3GPP standardized channel models are our goals.
Department: Princeton Advanced Wireless Systems Lab
FieldOfScience: Electrical, Electronic, and Communications
Organization: Princeton University
PIName: Kyle Jamieson
+FieldOfScienceID: '14.1'
diff --git a/projects/ProbTracx.yaml b/projects/ProbTracx.yaml
index abe643145..bc0860699 100644
--- a/projects/ProbTracx.yaml
+++ b/projects/ProbTracx.yaml
@@ -13,3 +13,4 @@ PIName: Dr. Bruce P. Hermann
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.15'
diff --git a/projects/ProtEvol.yaml b/projects/ProtEvol.yaml
index 34714b145..a5439f005 100644
--- a/projects/ProtEvol.yaml
+++ b/projects/ProtEvol.yaml
@@ -12,3 +12,4 @@ PIName: Premal Shah
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.13'
diff --git a/projects/ProtFolding.yaml b/projects/ProtFolding.yaml
index d0b87782a..cdc31c801 100644
--- a/projects/ProtFolding.yaml
+++ b/projects/ProtFolding.yaml
@@ -9,3 +9,4 @@ PIName: Jinbo Xu
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/Proteomics.yaml b/projects/Proteomics.yaml
index 0d987eebc..a3ca20b9a 100644
--- a/projects/Proteomics.yaml
+++ b/projects/Proteomics.yaml
@@ -1,8 +1,7 @@
Department: Computation Institute
-Description: 'Bioinformatics methods for different proteomic applications in life
- sciences. Algorithm development for improving
-
- mass-spectrometry based proteomic techniques.'
+Description: "Bioinformatics methods for different proteomic applications in life
+ sciences. Algorithm development for improving\nmass-spectrometry based proteomic
+ techniques."
FieldOfScience: Bioinformatics
ID: '87'
Organization: University of Chicago
@@ -10,3 +9,4 @@ PIName: Sam Volchenboum
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/Purdue_Aggarwal.yaml b/projects/Purdue_Aggarwal.yaml
index f8077c0e3..c1a1cb15f 100644
--- a/projects/Purdue_Aggarwal.yaml
+++ b/projects/Purdue_Aggarwal.yaml
@@ -1,4 +1,6 @@
-Description: Our labs works towards developing efficient machine learning algorithms for real-world problems. Some of the applications that we focus on are social influence maximization, recommender systems, and ride-sharing and goods delivery.
+Description: Our labs works towards developing efficient machine learning algorithms
+ for real-world problems. Some of the applications that we focus on are social influence
+ maximization, recommender systems, and ride-sharing and goods delivery.
Department: Industrial Engineering
FieldOfScience: Computer Sciences
Organization: Purdue University
@@ -9,3 +11,4 @@ ID: '844'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 11.0701a
diff --git a/projects/QCArchive_Smith.yaml b/projects/QCArchive_Smith.yaml
index 569a867fe..381808b11 100644
--- a/projects/QCArchive_Smith.yaml
+++ b/projects/QCArchive_Smith.yaml
@@ -1,4 +1,5 @@
-Description: The compute will be used for community facing data. This will include generating data for open AI datasets and computing molecules for undergraduate education.
+Description: The compute will be used for community facing data. This will include
+ generating data for open AI datasets and computing molecules for undergraduate education.
Department: Molecular Sciences Software Institute
FieldOfScience: Physical Chemistry
Organization: Virginia Tech University
@@ -9,3 +10,4 @@ ID: '619'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0506'
diff --git a/projects/QEvolBiol.yaml b/projects/QEvolBiol.yaml
index 76bee9b8a..aff47fcb6 100644
--- a/projects/QEvolBiol.yaml
+++ b/projects/QEvolBiol.yaml
@@ -9,3 +9,4 @@ PIName: Jeremy Van Cleve
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/QGIS.yaml b/projects/QGIS.yaml
index 1699c2064..64a545413 100644
--- a/projects/QGIS.yaml
+++ b/projects/QGIS.yaml
@@ -8,3 +8,4 @@ PIName: Patricia Carbajales-Dale
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '45.0702'
diff --git a/projects/QMC.yaml b/projects/QMC.yaml
index 9995dc419..17411bfe1 100644
--- a/projects/QMC.yaml
+++ b/projects/QMC.yaml
@@ -8,3 +8,4 @@ PIName: Andrew Powell
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/QuantEvol.yaml b/projects/QuantEvol.yaml
index b69ea58e8..facfe4fda 100644
--- a/projects/QuantEvol.yaml
+++ b/projects/QuantEvol.yaml
@@ -7,3 +7,4 @@ PIName: Shripad Tuljapurkar
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/RADICAL.yaml b/projects/RADICAL.yaml
index dfa19757e..a0b08296e 100644
--- a/projects/RADICAL.yaml
+++ b/projects/RADICAL.yaml
@@ -1,8 +1,6 @@
Department: Computer Science
-Description: 'RADICAL: SAGA / BigJob
-
-
- OSG / XSEDE interoperability and Python APIs for OSG / Condor / iRODS.'
+Description: "RADICAL: SAGA / BigJob\n\nOSG / XSEDE interoperability and Python APIs
+ for OSG / Condor / iRODS."
FieldOfScience: Computer and Information Science and Engineering
ID: '54'
Organization: Rutgers, The State University of New Jersey
@@ -10,3 +8,4 @@ PIName: Shantenu Jha
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/RDCEP.yaml b/projects/RDCEP.yaml
index d3ef2a15e..df9f7f9cb 100644
--- a/projects/RDCEP.yaml
+++ b/projects/RDCEP.yaml
@@ -1,34 +1,25 @@
Department: Computation Institute
-Description: 'Robust Decision Making on Climate and Energy Policy (RDCEP)
-
-
- The Center for Robust Decision Making on Climate and Energy Policy conducts research
- in four main areas:
-
-
- * Improving the fidelity of models used to forecast the impact of policies on future
- economic and climatic conditions. Many of the most decision-relevant aspects of
- climate and energy policy - for example, climate impacts and technological advances
- - are poorly or not at all represented in current policy analysis tools. The Center
- will build representations of the most important processes and increase model detail
- and resolution.
-
- * Quantifying sensitivities and uncertainties in the parameters, processes, and
- impacts in models. RDCEP will develop methods to characterize the dependence of
- model output on input, parameter, and model uncertainty; incorporate these uncertainties
- in models; and study how to communicate probabilistic model output to decision makers.
-
- * Identifying robust decisions in the face of uncertainty. The best policy is not
- necessarily that which produces the maximum return if all assumptions made are borne
- out, but the one that balances return and risk in the face of many uncertainties.
- The Center will develop models to identify robust strategies that perform well over
- a wide range of scenarios.
-
- * Developing improved computational methods and numerical methods required to achieve
- these goals. New parallel stochastic dynamic programming, robust optimal control,
- and numerical optimization methods able to make full use of modern supercomputers
- will allow tools developed at the Center to incorporate sectoral and process detail
- and explore uncertainty, in ways not previously possible.'
+Description: "Robust Decision Making on Climate and Energy Policy (RDCEP)\n\nThe Center
+ for Robust Decision Making on Climate and Energy Policy conducts research in four
+ main areas:\n\n* Improving the fidelity of models used to forecast the impact of
+ policies on future economic and climatic conditions. Many of the most decision-relevant
+ aspects of climate and energy policy - for example, climate impacts and technological
+ advances - are poorly or not at all represented in current policy analysis tools.
+ The Center will build representations of the most important processes and increase
+ model detail and resolution.\n* Quantifying sensitivities and uncertainties in the
+ parameters, processes, and impacts in models. RDCEP will develop methods to characterize
+ the dependence of model output on input, parameter, and model uncertainty; incorporate
+ these uncertainties in models; and study how to communicate probabilistic model
+ output to decision makers.\n* Identifying robust decisions in the face of uncertainty.
+ The best policy is not necessarily that which produces the maximum return if all
+ assumptions made are borne out, but the one that balances return and risk in the
+ face of many uncertainties. The Center will develop models to identify robust strategies
+ that perform well over a wide range of scenarios.\n* Developing improved computational
+ methods and numerical methods required to achieve these goals. New parallel stochastic
+ dynamic programming, robust optimal control, and numerical optimization methods
+ able to make full use of modern supercomputers will allow tools developed at the
+ Center to incorporate sectoral and process detail and explore uncertainty, in ways
+ not previously possible."
FieldOfScience: Economics
ID: '29'
Organization: University of Chicago
@@ -36,3 +27,4 @@ PIName: Ian Foster
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '52.1304'
diff --git a/projects/REDTOP.yaml b/projects/REDTOP.yaml
index 32581ed45..e9459623b 100644
--- a/projects/REDTOP.yaml
+++ b/projects/REDTOP.yaml
@@ -8,3 +8,4 @@ PIName: Corrado Gatto
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/RIT.yaml b/projects/RIT.yaml
index 382be1f9e..93e83c1df 100644
--- a/projects/RIT.yaml
+++ b/projects/RIT.yaml
@@ -8,7 +8,8 @@ Description: Ramsey theory studies the properties that combinatorial structures
FieldOfScience: Computer and Information Science and Engineering
ID: '10'
Organization: Rochester Institute of Technology
-PIName: "Stanis\u0142aw P. Radziszowski"
+PIName: Stanisław P. Radziszowski
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '11'
diff --git a/projects/RIT_KGCEval.yaml b/projects/RIT_KGCEval.yaml
index 9b2227c0c..be17ea2ea 100644
--- a/projects/RIT_KGCEval.yaml
+++ b/projects/RIT_KGCEval.yaml
@@ -9,3 +9,4 @@ ID: '735'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/RIT_ResearchComputing.yaml b/projects/RIT_ResearchComputing.yaml
index d53010309..50cc7e796 100644
--- a/projects/RIT_ResearchComputing.yaml
+++ b/projects/RIT_ResearchComputing.yaml
@@ -9,3 +9,4 @@ ID: '740'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/RIT_Tu.yaml b/projects/RIT_Tu.yaml
index ba5338f52..92e8e9ab0 100644
--- a/projects/RIT_Tu.yaml
+++ b/projects/RIT_Tu.yaml
@@ -1,5 +1,6 @@
-Description: Study on Solid State Battery Cathode Optimization
+Description: Study on Solid State Battery Cathode Optimization
Department: Mechanical Engineering
FieldOfScience: Mechanical Engineering
Organization: Rochester Institute of Technology
PIName: Howard Tu
+FieldOfScienceID: '14.1901'
diff --git a/projects/RPI_Brown.yaml b/projects/RPI_Brown.yaml
index a2b4eb757..26a0c05d4 100644
--- a/projects/RPI_Brown.yaml
+++ b/projects/RPI_Brown.yaml
@@ -1,4 +1,4 @@
-Description: "Event reconstruction in nanoscale layers for detection of neutrino decay"
+Description: Event reconstruction in nanoscale layers for detection of neutrino decay
Department: Physics
FieldOfScience: Elementary Particle Physics
Organization: Rensselaer Polytechnic Institute
@@ -9,3 +9,4 @@ ID: '604'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0804'
diff --git a/projects/Radlife.yaml b/projects/Radlife.yaml
index f57e9cb0e..c881ef2e0 100644
--- a/projects/Radlife.yaml
+++ b/projects/Radlife.yaml
@@ -8,3 +8,4 @@ PIName: Xiaochun He
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/ReABuncherRing.yaml b/projects/ReABuncherRing.yaml
index e7ce23b83..5d15ae99e 100644
--- a/projects/ReABuncherRing.yaml
+++ b/projects/ReABuncherRing.yaml
@@ -7,3 +7,4 @@ PIName: Phil Duxbury
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.1101'
diff --git a/projects/RicePhenomics.yaml b/projects/RicePhenomics.yaml
index 46e5ce33c..6f4ccfbff 100644
--- a/projects/RicePhenomics.yaml
+++ b/projects/RicePhenomics.yaml
@@ -7,3 +7,4 @@ PIName: Harkamal Walia
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/Rice_AjoFranklin.yaml b/projects/Rice_AjoFranklin.yaml
index 2fa44a66b..9112ff919 100644
--- a/projects/Rice_AjoFranklin.yaml
+++ b/projects/Rice_AjoFranklin.yaml
@@ -7,3 +7,4 @@ PIName: Jonathan Ajo-Franklin
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40'
diff --git a/projects/Rice_Fox.yaml b/projects/Rice_Fox.yaml
index 66628f8c4..bf9358a8a 100644
--- a/projects/Rice_Fox.yaml
+++ b/projects/Rice_Fox.yaml
@@ -9,3 +9,4 @@ ID: '846'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '19.0402'
diff --git a/projects/Rice_Li.yaml b/projects/Rice_Li.yaml
index d1cd89120..10133ef3d 100644
--- a/projects/Rice_Li.yaml
+++ b/projects/Rice_Li.yaml
@@ -5,3 +5,4 @@ Description: We do research on experimental nuclear and particle physics at the
FieldOfScience: Physics
Organization: Rice University
PIName: Wei Li
+FieldOfScienceID: '40.08'
diff --git a/projects/Rice_Mulligan.yaml b/projects/Rice_Mulligan.yaml
index bdbcdf15d..0f62d75b4 100644
--- a/projects/Rice_Mulligan.yaml
+++ b/projects/Rice_Mulligan.yaml
@@ -1,11 +1,10 @@
-Description: This project attempts to find novel geometric symmetries
- in the folding of polygons. It has already produced several interesting
- solutions, and I have now refactored it to be generalizable and
- linearly scalable in an HTC workflow. A small version of it
- serves as an example for HTC parallelization in our workshops.
- https://github.com/JohnMulligan/parallel_folding_example/
+Description: This project attempts to find novel geometric symmetries in the folding
+ of polygons. It has already produced several interesting solutions, and I have now
+ refactored it to be generalizable and linearly scalable in an HTC workflow. A small
+ version of it serves as an example for HTC parallelization in our workshops. https://github.com/JohnMulligan/parallel_folding_example/
Department: Center for Research Computing
FieldOfScience: Mathematics and Statistics
Organization: Rice University
PIName: John Connor Mulligan
+FieldOfScienceID: '24.0199'
diff --git a/projects/Rice_Ogilvie.yaml b/projects/Rice_Ogilvie.yaml
index 21561ffd0..cf9f61af9 100644
--- a/projects/Rice_Ogilvie.yaml
+++ b/projects/Rice_Ogilvie.yaml
@@ -1,11 +1,10 @@
-Description: The ultimate goal is to train machine-learning-type models
- (e.g. GANs or CNNs) on DNA and RNA reads in order to classify both kinds
- of data into a common set of clusters. The application of this research
- is to improve our understanding of cancer development and progression by
- integrating single-cell genomic and transcriptomic data from the same
- patient. We plan on training these models on publicly available datasets
- that include both transcriptomic and genomic short reads, after first
- reducing those datasets to per-gene read counts.
+Description: The ultimate goal is to train machine-learning-type models (e.g. GANs
+ or CNNs) on DNA and RNA reads in order to classify both kinds of data into a common
+ set of clusters. The application of this research is to improve our understanding
+ of cancer development and progression by integrating single-cell genomic and transcriptomic
+ data from the same patient. We plan on training these models on publicly available
+ datasets that include both transcriptomic and genomic short reads, after first reducing
+ those datasets to per-gene read counts.
Department: Department of Computer Science
FieldOfScience: Biological and Biomedical Sciences
Organization: Rice University
@@ -16,3 +15,4 @@ ID: '805'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/Rochester_Askari.yaml b/projects/Rochester_Askari.yaml
index 27b837b6f..32b49dd3c 100644
--- a/projects/Rochester_Askari.yaml
+++ b/projects/Rochester_Askari.yaml
@@ -1,5 +1,5 @@
-Description: Engineering the electro-mechanical properties of
- Twisted Bilayer Graphene with strained capping layers
+Description: Engineering the electro-mechanical properties of Twisted Bilayer Graphene
+ with strained capping layers
Department: Mechanical Engineering
FieldOfScience: Mechanical Engineering
Organization: University of Rochester
@@ -8,3 +8,4 @@ PIName: Hesam Askari
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.1901'
diff --git a/projects/Rochester_Franchini.yaml b/projects/Rochester_Franchini.yaml
index f8af697d1..bb3ae5482 100644
--- a/projects/Rochester_Franchini.yaml
+++ b/projects/Rochester_Franchini.yaml
@@ -1,8 +1,10 @@
Description: >
- The primary objective of this research project is to evaluate the efficacy and feasibility of an AI-powered
- pre-diagnostic tool for gastrointestinal diseases. Specifically, the project aims to assess the accuracy of
- the AI-powered technology in analyzing abdominal sounds and visual data recorded by the user's mobile phone.
+ The primary objective of this research project is to evaluate the efficacy and feasibility
+ of an AI-powered pre-diagnostic tool for gastrointestinal diseases. Specifically,
+ the project aims to assess the accuracy of the AI-powered technology in analyzing
+ abdominal sounds and visual data recorded by the user's mobile phone.
Department: University of Rochester Medical Centre
FieldOfScience: Biological and Biomedical Sciences
Organization: University of Rochester
PIName: Anthony Franchini
+FieldOfScienceID: '26'
diff --git a/projects/Rochester_Liu.yaml b/projects/Rochester_Liu.yaml
index 777cb3d4b..90d6a71fa 100644
--- a/projects/Rochester_Liu.yaml
+++ b/projects/Rochester_Liu.yaml
@@ -1,6 +1,6 @@
-Description: I will be using the allocation to help researchers at the
- University of Rochester to understand how to use XSEDE resources and
- to test which XSEDE resources best fit their needs.
+Description: I will be using the allocation to help researchers at the University
+ of Rochester to understand how to use XSEDE resources and to test which XSEDE resources
+ best fit their needs.
Department: Dept. of Physics & Astronomy
FieldOfScience: Training
Organization: University of Rochester
@@ -9,3 +9,4 @@ PIName: Baowei Liu
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30.3001'
diff --git a/projects/Rochester_Mongelli.yaml b/projects/Rochester_Mongelli.yaml
index a3202bef3..b14c55282 100644
--- a/projects/Rochester_Mongelli.yaml
+++ b/projects/Rochester_Mongelli.yaml
@@ -1,10 +1,9 @@
-Description: This will allow for the determination of relative solubility
- of polymeric materials in alcohol solvents, similar to the shampoo and
- shaving cream materials. An understanding of the free energy of solvation
- and surface activity of polyethers and polysilicones will allow for the
- optimization of alcohol content in such mixtures to get the best bang
- for the buck in solubilizing and surface tension optimized alcohol-water
- mixtures with these polymers present.
+Description: This will allow for the determination of relative solubility of polymeric
+ materials in alcohol solvents, similar to the shampoo and shaving cream materials.
+ An understanding of the free energy of solvation and surface activity of polyethers
+ and polysilicones will allow for the optimization of alcohol content in such mixtures
+ to get the best bang for the buck in solubilizing and surface tension optimized
+ alcohol-water mixtures with these polymers present.
Department: Chemical Engineering
FieldOfScience: Chemical Engineering
Organization: University of Rochester
@@ -13,3 +12,4 @@ PIName: Guy Mongelli
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.07'
diff --git a/projects/Rowan_Nguyen.yaml b/projects/Rowan_Nguyen.yaml
index bb5d1bb29..66f90e066 100644
--- a/projects/Rowan_Nguyen.yaml
+++ b/projects/Rowan_Nguyen.yaml
@@ -1,11 +1,12 @@
Description: Machine Learning and Error-Correcting Output Codes (ECOC)
Department: Mathematics
FieldOfScience: Computer Sciences
-Organization: Rowan University
-PIName: Hieu Nguyen
+Organization: Rowan University
+PIName: Hieu Nguyen
ID: '688'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 11.0701a
diff --git a/projects/Rowan_NguyenT.yaml b/projects/Rowan_NguyenT.yaml
index 2be9b50ea..b4304fcf4 100644
--- a/projects/Rowan_NguyenT.yaml
+++ b/projects/Rowan_NguyenT.yaml
@@ -1,11 +1,12 @@
Description: PDE/ODE-based machine learning
Department: Mathematics
FieldOfScience: Mathematics
-Organization: Rowan University
-PIName: Thanh Nguyen
+Organization: Rowan University
+PIName: Thanh Nguyen
ID: '697'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27.01'
diff --git a/projects/Rowan_Rasool.yaml b/projects/Rowan_Rasool.yaml
index ef41fdb25..c083ce335 100644
--- a/projects/Rowan_Rasool.yaml
+++ b/projects/Rowan_Rasool.yaml
@@ -1,7 +1,7 @@
Description: Machine learning algorithm robustness study
Department: Electrical and Computer Engineering
FieldOfScience: Computer Sciences
-Organization: Rowan University
+Organization: Rowan University
PIName: Ghulam Rasool
ID: '790'
@@ -9,3 +9,4 @@ ID: '790'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 11.0701a
diff --git a/projects/RutgersOARC.yaml b/projects/RutgersOARC.yaml
index 0af15a433..aee8c24ed 100644
--- a/projects/RutgersOARC.yaml
+++ b/projects/RutgersOARC.yaml
@@ -7,3 +7,4 @@ PIName: Bala Desinghu
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/SBGrid.yaml b/projects/SBGrid.yaml
index 6cf2c19db..cbbcaa6ce 100644
--- a/projects/SBGrid.yaml
+++ b/projects/SBGrid.yaml
@@ -7,3 +7,4 @@ PIName: Piotr Sliz
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.0202'
diff --git a/projects/SBND.yaml b/projects/SBND.yaml
index bf633a84c..bfdbc0a00 100644
--- a/projects/SBND.yaml
+++ b/projects/SBND.yaml
@@ -7,3 +7,4 @@ PIName: Joe Boyd
Sponsor:
VirtualOrganization:
Name: SBND
+FieldOfScienceID: '40.08'
diff --git a/projects/SBU_Jia.yaml b/projects/SBU_Jia.yaml
index 704575d2d..8449390b2 100644
--- a/projects/SBU_Jia.yaml
+++ b/projects/SBU_Jia.yaml
@@ -1,8 +1,10 @@
-Description: https://www.stonybrook.edu/commcms/chemistry/faculty/_faculty-profiles/jia-jiangyong
- Simulation of relativistic heavy ion collisions of atomic nuclei, such
- as Gold, Lead, Xeon, Oxygen, proton etc using relativistic hydrodynamic
- code and transport simulation codes.
+Description:
+ https://www.stonybrook.edu/commcms/chemistry/faculty/_faculty-profiles/jia-jiangyong
+ Simulation of relativistic heavy ion collisions of atomic nuclei, such as Gold,
+ Lead, Xeon, Oxygen, proton etc using relativistic hydrodynamic code and transport
+ simulation codes.
Department: Physics
FieldOfScience: Physics
Organization: State University of New York at Stony Brook
PIName: Jiangyong Jia
+FieldOfScienceID: '40.08'
diff --git a/projects/SCEPCAL_Tully.yaml b/projects/SCEPCAL_Tully.yaml
index fb2ed068a..cf257abc2 100644
--- a/projects/SCEPCAL_Tully.yaml
+++ b/projects/SCEPCAL_Tully.yaml
@@ -1,4 +1,6 @@
-Description: "Segmented Crystal Electromagnetic Precision Calorimeter (for CEPC: Circular Electron Positron Collider and possibly other future collider experiments, e.g. the FCC)"
+Description: 'Segmented Crystal Electromagnetic Precision Calorimeter (for CEPC: Circular
+ Electron Positron Collider and possibly other future collider experiments, e.g.
+ the FCC)'
Department: Physics
FieldOfScience: Physics
Organization: Princeton University
@@ -9,3 +11,4 @@ ID: '618'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/SC_Gothe.yaml b/projects/SC_Gothe.yaml
index c8fe31849..a1e87ef22 100644
--- a/projects/SC_Gothe.yaml
+++ b/projects/SC_Gothe.yaml
@@ -1,10 +1,8 @@
-Description: Measuring cross section for double charged pion
- electroproduction off the proton with CLAS at JLab. Needing
- to simulate events passing through the detector based off
- previous measurements in order to more accurately determine
- the acceptance of the detector and thus correct measured
- raw yields.
-Department: Department of Physics and Astronomy
+Description: Measuring cross section for double charged pion electroproduction off
+ the proton with CLAS at JLab. Needing to simulate events passing through the detector
+ based off previous measurements in order to more accurately determine the acceptance
+ of the detector and thus correct measured raw yields.
+Department: Department of Physics and Astronomy
FieldOfScience: Physics
Organization: University of South Carolina
PIName: Ralf Gothe
@@ -14,3 +12,4 @@ ID: '779'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/SDCC.yaml b/projects/SDCC.yaml
index 5440de031..e4f25096b 100644
--- a/projects/SDCC.yaml
+++ b/projects/SDCC.yaml
@@ -8,3 +8,4 @@ Sponsor:
VirtualOrganization:
ID: '114'
Name: BNL
+FieldOfScienceID: '11'
diff --git a/projects/SDEalgorithms.yaml b/projects/SDEalgorithms.yaml
index abfb2e62f..814acf9e6 100644
--- a/projects/SDEalgorithms.yaml
+++ b/projects/SDEalgorithms.yaml
@@ -12,3 +12,4 @@ PIName: Harish S. Bhat
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27'
diff --git a/projects/SDSC-Staff.yaml b/projects/SDSC-Staff.yaml
index 42feefa0c..a9eb2d754 100644
--- a/projects/SDSC-Staff.yaml
+++ b/projects/SDSC-Staff.yaml
@@ -7,3 +7,4 @@ PIName: Frank Wuerthwein
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 11.0701a
diff --git a/projects/SDSU_Edwards.yaml b/projects/SDSU_Edwards.yaml
index 043e7c0da..65ba12065 100644
--- a/projects/SDSU_Edwards.yaml
+++ b/projects/SDSU_Edwards.yaml
@@ -9,3 +9,4 @@ ID: '600'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/SDSU_Huangfu.yaml b/projects/SDSU_Huangfu.yaml
index e966e6996..69c9ae94d 100644
--- a/projects/SDSU_Huangfu.yaml
+++ b/projects/SDSU_Huangfu.yaml
@@ -9,3 +9,4 @@ ID: '813'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.01'
diff --git a/projects/SDState_RCi.yaml b/projects/SDState_RCi.yaml
index 32357fd53..bfb40354b 100644
--- a/projects/SDState_RCi.yaml
+++ b/projects/SDState_RCi.yaml
@@ -1,10 +1,11 @@
-Description: This project will be used to train RCi staff in delivering OSG
- to researcher at SDSU.
+Description: This project will be used to train RCi staff in delivering OSG to researcher
+ at SDSU.
Department: Research Cyberinfrastructure
FieldOfScience: Computer Science
Organization: South Dakota State University
-PIName: Chad Julius
+PIName: Chad Julius
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/SFCphases.yaml b/projects/SFCphases.yaml
index f17bc788b..ef5871950 100644
--- a/projects/SFCphases.yaml
+++ b/projects/SFCphases.yaml
@@ -1,15 +1,13 @@
Department: Chemistry and Biochemistry
-Description: 'Molecular-scale interaction between mobile and stationary
-
- phases as they relate to supercritical fluid chromatography
-
- (SFC) is modeled with hybrid Monte Carlo methods. Carbon dioxide is the main component
- of the mobile phase in SFC, which typically operates above the critical point. Simulations
- use seven mole percent methanol in the mobile phase. The objective of the proposed
- work is understanding the interaction between mobile-phase molecules and the alkylsilane-coated
- silica stationary phase. The computational method is Monte Carlo simulation. Hybrid
- molecular dynamics moves explore conformations of eighteen-carbon alkylsilane chains
- bonded to silica substrate.'
+Description: "Molecular-scale interaction between mobile and stationary\nphases as
+ they relate to supercritical fluid chromatography\n(SFC) is modeled with hybrid
+ Monte Carlo methods. Carbon dioxide is the main component of the mobile phase in
+ SFC, which typically operates above the critical point. Simulations use seven mole
+ percent methanol in the mobile phase. The objective of the proposed work is understanding
+ the interaction between mobile-phase molecules and the alkylsilane-coated silica
+ stationary phase. The computational method is Monte Carlo simulation. Hybrid molecular
+ dynamics moves explore conformations of eighteen-carbon alkylsilane chains bonded
+ to silica substrate."
FieldOfScience: Chemistry
ID: '368'
Organization: University of Minnesota Duluth
@@ -17,3 +15,4 @@ PIName: Paul Siders
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/SINGE.yaml b/projects/SINGE.yaml
index bfd15d1b4..196db0830 100644
--- a/projects/SINGE.yaml
+++ b/projects/SINGE.yaml
@@ -1,5 +1,6 @@
Department: Biostatistics and Medical Informatics
-Description: SINGE uses Granger Causality tests to infer gene regulatory networks from pseudotemporally ordered single-cell transcriptomic data.
+Description: SINGE uses Granger Causality tests to infer gene regulatory networks
+ from pseudotemporally ordered single-cell transcriptomic data.
FieldOfScience: Bioinformatics
ID: '563'
Organization: University of Wisconsin-Madison
@@ -7,3 +8,4 @@ PIName: Anthony Gitter
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/SIUE_Quinones.yaml b/projects/SIUE_Quinones.yaml
index 3a9e25b04..dc2f4c9f3 100644
--- a/projects/SIUE_Quinones.yaml
+++ b/projects/SIUE_Quinones.yaml
@@ -1,5 +1,7 @@
-Description: Research in Computer Vision, Digital Image Processing, and Multi-Agent Simulation.
+Description: Research in Computer Vision, Digital Image Processing, and Multi-Agent
+ Simulation.
Department: Computer Science
FieldOfScience: Computer Science
Organization: Southern Illinois University Edwardsville
PIName: Rubi Quinones
+FieldOfScienceID: '11.07'
diff --git a/projects/SIUE_Staff.yaml b/projects/SIUE_Staff.yaml
index ca782d8de..0ef7dcefa 100644
--- a/projects/SIUE_Staff.yaml
+++ b/projects/SIUE_Staff.yaml
@@ -1,4 +1,5 @@
-Description: Staff at Southern Illinois University who centrally support research computing
+Description: Staff at Southern Illinois University who centrally support research
+ computing
Department: Network and Systems Infrastructure
FieldOfScience: Multi-Science Community
Organization: Southern Illinois University Edwardsville
@@ -9,3 +10,4 @@ ID: 668
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30'
diff --git a/projects/SLAC_Nelson.yaml b/projects/SLAC_Nelson.yaml
index 0598ad40b..e7da32bc1 100644
--- a/projects/SLAC_Nelson.yaml
+++ b/projects/SLAC_Nelson.yaml
@@ -1,4 +1,5 @@
-Description: The Light Dark Matter eXperiment (LDMX) is a search for sub-GeV (lighter than the proton) thermal dark matter particles
+Description: The Light Dark Matter eXperiment (LDMX) is a search for sub-GeV (lighter
+ than the proton) thermal dark matter particles
Department: Fundamental Physics Directorate, HPS Department
FieldOfScience: Physics
Organization: SLAC National Accelerator Laboratory
@@ -8,3 +9,4 @@ PIName: Timothy Nelson
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/SMOTNT.yaml b/projects/SMOTNT.yaml
index fb4f26bcb..981f2a6b7 100644
--- a/projects/SMOTNT.yaml
+++ b/projects/SMOTNT.yaml
@@ -1,9 +1,9 @@
Department: Genetics Department
-Description: 'Current model tracks the status of every single mRNA,
-ribosome, tRNA molecules during transcription and translation processes. The
-activities of these molecules are mainly governed by experimentally determined
-parameters such as their abundances and diffusion rates, as well as
-gene-specific rates for transcription, mRNA decay and translation.'
+Description: Current model tracks the status of every single mRNA, ribosome, tRNA
+ molecules during transcription and translation processes. The activities of these
+ molecules are mainly governed by experimentally determined parameters such as their
+ abundances and diffusion rates, as well as gene-specific rates for transcription,
+ mRNA decay and translation.
FieldOfScience: Bioinformatics
ID: '514'
Organization: Rutgers, The State University of New Jersey
@@ -11,3 +11,4 @@ PIName: Tongji Xing
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/SMRCNTP.yaml b/projects/SMRCNTP.yaml
index aa32b1f2e..898b7caf3 100644
--- a/projects/SMRCNTP.yaml
+++ b/projects/SMRCNTP.yaml
@@ -1,10 +1,9 @@
Department: Physics
-Description: 'We are exploring the free energy landscape of stacking and
-columnar liquid assembly in condensed phases of monomer nucleic acids such as
-ATP and TTP using enhanced sampling methods. We are validating our methods by
-direct comparison with recent experimental studies of these materials. This work
-is of relevance to the prebiotic appearance of information carrying polymers
-such as DNA and RNA.'
+Description: We are exploring the free energy landscape of stacking and columnar liquid
+ assembly in condensed phases of monomer nucleic acids such as ATP and TTP using
+ enhanced sampling methods. We are validating our methods by direct comparison with
+ recent experimental studies of these materials. This work is of relevance to the
+ prebiotic appearance of information carrying polymers such as DNA and RNA.
FieldOfScience: Biophysics
ID: '513'
Organization: University of Colorado Boulder
@@ -12,3 +11,4 @@ PIName: Joseph Yelk
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.02'
diff --git a/projects/SNOplus.yaml b/projects/SNOplus.yaml
index ff7d8b123..a00c54c65 100644
--- a/projects/SNOplus.yaml
+++ b/projects/SNOplus.yaml
@@ -17,3 +17,4 @@ PIName: Joshua R Klein
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '40.08'
diff --git a/projects/SO10GU.yaml b/projects/SO10GU.yaml
index a8f5613fa..35a38aa42 100644
--- a/projects/SO10GU.yaml
+++ b/projects/SO10GU.yaml
@@ -8,3 +8,4 @@ PIName: shaikh saad
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/SOL.yaml b/projects/SOL.yaml
index 5614668c8..4ab89131c 100644
--- a/projects/SOL.yaml
+++ b/projects/SOL.yaml
@@ -8,3 +8,4 @@ PIName: Tyson Swetnam
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '45.0702'
diff --git a/projects/SOLID.yaml b/projects/SOLID.yaml
index cedc51e23..8f4b6359c 100644
--- a/projects/SOLID.yaml
+++ b/projects/SOLID.yaml
@@ -7,3 +7,4 @@ PIName: Thomas Britton
Sponsor:
VirtualOrganization:
Name: JLab
+FieldOfScienceID: '40.0806'
diff --git a/projects/SPRI_Smith.yaml b/projects/SPRI_Smith.yaml
index 6eb7f64a0..22dda9c99 100644
--- a/projects/SPRI_Smith.yaml
+++ b/projects/SPRI_Smith.yaml
@@ -1,4 +1,5 @@
-Description: use high throughput computing to perform thousands of variations in virtual surgical decisions to assess optimal plans for patients
+Description: use high throughput computing to perform thousands of variations in virtual
+ surgical decisions to assess optimal plans for patients
Department: Department of Biomedical Engineering
FieldOfScience: Bioengineering & Biomedical Engineering
Organization: Steadman Philippon Research Institute
@@ -8,3 +9,4 @@ PIName: Colin Smith
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.0501'
diff --git a/projects/SSGAforCSP.yaml b/projects/SSGAforCSP.yaml
index 091fb37e5..91ffe0f24 100644
--- a/projects/SSGAforCSP.yaml
+++ b/projects/SSGAforCSP.yaml
@@ -13,3 +13,4 @@ PIName: Julio Facelli
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/SUNYGeneseo_CIT.yaml b/projects/SUNYGeneseo_CIT.yaml
index 4a2f4e025..de4b718a2 100644
--- a/projects/SUNYGeneseo_CIT.yaml
+++ b/projects/SUNYGeneseo_CIT.yaml
@@ -3,3 +3,4 @@ FieldOfScience: Computer & Information Sciences
Organization: State University of New York College at Geneseo
Department: Computing & Information Technology
PIName: David Warden
+FieldOfScienceID: 11.0701b
diff --git a/projects/SUNYUpstateMed_Schmitt.yaml b/projects/SUNYUpstateMed_Schmitt.yaml
index 3a4d82fef..963d54d81 100644
--- a/projects/SUNYUpstateMed_Schmitt.yaml
+++ b/projects/SUNYUpstateMed_Schmitt.yaml
@@ -1,4 +1,7 @@
-Description: Studying the structure and phylogenetics of the ribonucleprotein complexes RNase MRP and P to apply to human and baker's yeast; Mining high-throughput and public datasets for information on the baker's yeast ribonucleoprotein complex RNase MRP' https://www.upstate.edu/biochem/research/fac_research.php?empID=schmittm
+Description: Studying the structure and phylogenetics of the ribonucleprotein complexes
+ RNase MRP and P to apply to human and baker's yeast; Mining high-throughput and
+ public datasets for information on the baker's yeast ribonucleoprotein complex RNase
+ MRP' https://www.upstate.edu/biochem/research/fac_research.php?empID=schmittm
Department: Department of Biochemistry & Molecular Biology
FieldOfScience: Biological and Biomedical Sciences
Organization: SUNY Upstate Medical University
@@ -7,3 +10,4 @@ PIName: Mark Schmitt
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.021'
diff --git a/projects/SWC-OSG-IU15.yaml b/projects/SWC-OSG-IU15.yaml
index 77cbf108c..60b69c672 100644
--- a/projects/SWC-OSG-IU15.yaml
+++ b/projects/SWC-OSG-IU15.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: nan
diff --git a/projects/SWC-OSG-UC14.yaml b/projects/SWC-OSG-UC14.yaml
index fe8a0b0c0..821a41af2 100644
--- a/projects/SWC-OSG-UC14.yaml
+++ b/projects/SWC-OSG-UC14.yaml
@@ -8,3 +8,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/SWITCHHawaii.yaml b/projects/SWITCHHawaii.yaml
index 890e5bf6b..b3ff69fac 100644
--- a/projects/SWITCHHawaii.yaml
+++ b/projects/SWITCHHawaii.yaml
@@ -9,3 +9,4 @@ PIName: Matthias Fripp
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14'
diff --git a/projects/SWOSU_SOCCER.yaml b/projects/SWOSU_SOCCER.yaml
index aeb088595..70e034417 100644
--- a/projects/SWOSU_SOCCER.yaml
+++ b/projects/SWOSU_SOCCER.yaml
@@ -1,4 +1,5 @@
-Description: "Helping SWOSU students and faculty start running jobs on HTC resources in support of training and growing an HTC capable resource."
+Description: Helping SWOSU students and faculty start running jobs on HTC resources
+ in support of training and growing an HTC capable resource.
Department: Computer Science
FieldOfScience: Computer and Information Sciences
Organization: Southwest Oklahoma State University
@@ -9,3 +10,4 @@ ID: '711'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/SalemState_Poitevin.yaml b/projects/SalemState_Poitevin.yaml
index 7282d6bb9..de0ceecf6 100644
--- a/projects/SalemState_Poitevin.yaml
+++ b/projects/SalemState_Poitevin.yaml
@@ -1,5 +1,6 @@
Department: Department of Mathematics
-Description: Find segments of nucleotides in different genomes that can be parsed both visually and phonetically.
+Description: Find segments of nucleotides in different genomes that can be parsed
+ both visually and phonetically.
FieldOfScience: Visual Arts
Organization: Salem State University
PIName: Pedro Poitevin
@@ -7,3 +8,4 @@ PIName: Pedro Poitevin
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '50'
diff --git a/projects/Sandia_LandModel.yaml b/projects/Sandia_LandModel.yaml
index ebc006f8d..362225c87 100644
--- a/projects/Sandia_LandModel.yaml
+++ b/projects/Sandia_LandModel.yaml
@@ -1,6 +1,6 @@
-Description: Developing a "cheaper" surrogate land model.
+Description: Developing a "cheaper" surrogate land model.
Department: Earth Science
-FieldOfScience: Earth and Ocean Sciences
+FieldOfScience: Earth and Ocean Sciences
Organization: Sandia National Laboratories
PIName: Vishagan Ratnaswamy
@@ -9,3 +9,4 @@ ID: '630'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40'
diff --git a/projects/SbGenome.yaml b/projects/SbGenome.yaml
index 281827999..e1b66f729 100644
--- a/projects/SbGenome.yaml
+++ b/projects/SbGenome.yaml
@@ -8,3 +8,4 @@ PIName: Dave Denlinger
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/SciSim.yaml b/projects/SciSim.yaml
index ac335d3a5..3221d172e 100644
--- a/projects/SciSim.yaml
+++ b/projects/SciSim.yaml
@@ -10,3 +10,4 @@ PIName: Amit Goel
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30'
diff --git a/projects/SeaQuest.yaml b/projects/SeaQuest.yaml
index c5605148b..dd59b179d 100644
--- a/projects/SeaQuest.yaml
+++ b/projects/SeaQuest.yaml
@@ -8,3 +8,4 @@ PIName: David Christian
Sponsor:
VirtualOrganization:
Name: Fermilab
+FieldOfScienceID: '40.0806'
diff --git a/projects/Seattle_Herman.yaml b/projects/Seattle_Herman.yaml
index 8892bb59d..6803ef687 100644
--- a/projects/Seattle_Herman.yaml
+++ b/projects/Seattle_Herman.yaml
@@ -1,8 +1,9 @@
Description: >
- Teaching a distributed systems course. Assignments will be at-scale applications
- including a parallel video rendering pipeline, a genome analysis application,
+ Teaching a distributed systems course. Assignments will be at-scale applications including
+ a parallel video rendering pipeline, a genome analysis application,
and a text analysis workflow.
Department: Computer Science
FieldOfScience: Computer and Information Sciences
Organization: Seattle University
PIName: Nate Kremer-Herman
+FieldOfScienceID: '11.0101'
diff --git a/projects/Shortrunjobs.yaml b/projects/Shortrunjobs.yaml
index 1f5436882..013743acf 100644
--- a/projects/Shortrunjobs.yaml
+++ b/projects/Shortrunjobs.yaml
@@ -9,3 +9,4 @@ PIName: Donny Shrum
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/SimCenter.yaml b/projects/SimCenter.yaml
index c283284a0..58c214b36 100644
--- a/projects/SimCenter.yaml
+++ b/projects/SimCenter.yaml
@@ -7,3 +7,4 @@ PIName: Anthony Skjellum
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/SimPrily.yaml b/projects/SimPrily.yaml
index 408f51558..f32f5b2e7 100644
--- a/projects/SimPrily.yaml
+++ b/projects/SimPrily.yaml
@@ -7,3 +7,4 @@ PIName: Ariella Gladstein
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.13'
diff --git a/projects/Snowmass.yaml b/projects/Snowmass.yaml
index 45dff1049..0f347e3e3 100644
--- a/projects/Snowmass.yaml
+++ b/projects/Snowmass.yaml
@@ -1,17 +1,8 @@
Department: Physics
-Description: 'Simulate hundreds of millions of high-energy
-
- proton proton collisions, which mimic the
-
- collisions expected at future hadron colliders.
-
- This simulated data is used to assess the physics
-
- potential of future colliders, allowing US
-
- decision makers and funding agencies to prioritize
-
- future physics projects.'
+Description: "Simulate hundreds of millions of high-energy\nproton proton collisions,
+ which mimic the\ncollisions expected at future hadron colliders.\nThis simulated
+ data is used to assess the physics\npotential of future colliders, allowing US\n
+ decision makers and funding agencies to prioritize\nfuture physics projects."
FieldOfScience: High Energy Physics
ID: '7'
Organization: Brown University
@@ -19,3 +10,4 @@ PIName: Meenakshi Narain
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '40.08'
diff --git a/projects/SourceCoding.yaml b/projects/SourceCoding.yaml
index 2e8b26e28..e00424e65 100644
--- a/projects/SourceCoding.yaml
+++ b/projects/SourceCoding.yaml
@@ -9,3 +9,4 @@ PIName: David Mitchell
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 14.1099b
diff --git a/projects/SoyKB.yaml b/projects/SoyKB.yaml
index dca5fd7e5..eb20b1d6b 100644
--- a/projects/SoyKB.yaml
+++ b/projects/SoyKB.yaml
@@ -10,3 +10,4 @@ PIName: Dong Xu
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '26.03'
diff --git a/projects/SpatialModeling.yaml b/projects/SpatialModeling.yaml
index 764cc8dc8..5d376153f 100644
--- a/projects/SpatialModeling.yaml
+++ b/projects/SpatialModeling.yaml
@@ -8,3 +8,4 @@ PIName: Brook Milligan
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/Specppxf.yaml b/projects/Specppxf.yaml
index 870642b35..0ab9ca28d 100644
--- a/projects/Specppxf.yaml
+++ b/projects/Specppxf.yaml
@@ -8,3 +8,4 @@ PIName: Alabi Adebusola
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0202'
diff --git a/projects/Spelman_Tekle.yaml b/projects/Spelman_Tekle.yaml
index 73c7b2d7d..91b1c7466 100644
--- a/projects/Spelman_Tekle.yaml
+++ b/projects/Spelman_Tekle.yaml
@@ -1,4 +1,5 @@
-Description: My lab implements the basic principles of evolution to study the diversity, origin and relationships of medical and nonmedical microbes.
+Description: My lab implements the basic principles of evolution to study the diversity,
+ origin and relationships of medical and nonmedical microbes.
Department: Biology
FieldOfScience: Biological and Biomedical Sciences
Organization: Spelman College
@@ -7,3 +8,4 @@ PIName: Yonas Tekle
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/StSNE.yaml b/projects/StSNE.yaml
index 127799f08..762f41e64 100644
--- a/projects/StSNE.yaml
+++ b/projects/StSNE.yaml
@@ -7,3 +7,4 @@ PIName: Yichen Cheng
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27.05'
diff --git a/projects/StanfordRCC.yaml b/projects/StanfordRCC.yaml
index 6115fdd8d..207f104a1 100644
--- a/projects/StanfordRCC.yaml
+++ b/projects/StanfordRCC.yaml
@@ -7,3 +7,4 @@ PIName: Ruth Marinshaw
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: nan
diff --git a/projects/Stanford_Das.yaml b/projects/Stanford_Das.yaml
index 89513bd7f..832146718 100644
--- a/projects/Stanford_Das.yaml
+++ b/projects/Stanford_Das.yaml
@@ -1,7 +1,7 @@
-Description: "RNA tertiary structure of COVID-19 UTRs as therapeutic
- and vaccine targets: https://daslab.stanford.edu/news"
+Description: 'RNA tertiary structure of COVID-19 UTRs as therapeutic and vaccine targets:
+ https://daslab.stanford.edu/news'
Department: Biochemistry
-FieldOfScience: Biological and Biomedical Sciences
+FieldOfScience: Biological and Biomedical Sciences
Organization: Stanford University
PIName: Rhiju Das
@@ -10,3 +10,4 @@ ID: '756'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/Stanford_Fletcher.yaml b/projects/Stanford_Fletcher.yaml
index 596e1c86d..d9241c306 100644
--- a/projects/Stanford_Fletcher.yaml
+++ b/projects/Stanford_Fletcher.yaml
@@ -1,4 +1,5 @@
-Description: Optimizing water resource planning decisions through simulating effects of climate change projections on models of city water supply portfolios.
+Description: Optimizing water resource planning decisions through simulating effects
+ of climate change projections on models of city water supply portfolios.
Department: Civil and Environmental Engineering
FieldOfScience: Engineering
Organization: Stanford University
@@ -9,3 +10,4 @@ ID: '845'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14'
diff --git a/projects/Stanford_Gilula.yaml b/projects/Stanford_Gilula.yaml
index 9d94b996d..2cb7a6f2e 100644
--- a/projects/Stanford_Gilula.yaml
+++ b/projects/Stanford_Gilula.yaml
@@ -1,4 +1,6 @@
-Description: Gather statistics about the evolution and final conditions of various random initial configurations under certain symmetries in two-dimensional cellular automaton, mainly Conway's Game of Life
+Description: Gather statistics about the evolution and final conditions of various
+ random initial configurations under certain symmetries in two-dimensional cellular
+ automaton, mainly Conway's Game of Life
Department: Mathematics
FieldOfScience: Mathematics
Organization: Stanford University
@@ -8,3 +10,4 @@ PIName: Maxim Gilula
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27.01'
diff --git a/projects/Stanford_Zia.yaml b/projects/Stanford_Zia.yaml
index acdd51a1d..0f62a3fc6 100644
--- a/projects/Stanford_Zia.yaml
+++ b/projects/Stanford_Zia.yaml
@@ -1,4 +1,4 @@
-Description: Dynamic simulation of colloidal glass transition
+Description: Dynamic simulation of colloidal glass transition
Department: Chemical Engineering
FieldOfScience: Engineering
Organization: Stanford University
@@ -9,3 +9,4 @@ ID: '708'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14'
diff --git a/projects/Swift.yaml b/projects/Swift.yaml
index 14bf53915..024ec2125 100644
--- a/projects/Swift.yaml
+++ b/projects/Swift.yaml
@@ -7,3 +7,4 @@ PIName: Kyle Chard
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 11.0701a
diff --git a/projects/Syracuse_Brown.yaml b/projects/Syracuse_Brown.yaml
index 041ad6820..bee4d8b73 100644
--- a/projects/Syracuse_Brown.yaml
+++ b/projects/Syracuse_Brown.yaml
@@ -7,3 +7,4 @@ PIName: Duncan Brown
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0202'
diff --git a/projects/Syracuse_ITSRC.yal b/projects/Syracuse_ITSRC.yaml
similarity index 78%
rename from projects/Syracuse_ITSRC.yal
rename to projects/Syracuse_ITSRC.yaml
index 7ecd93c8a..805958e10 100644
--- a/projects/Syracuse_ITSRC.yal
+++ b/projects/Syracuse_ITSRC.yaml
@@ -1,8 +1,10 @@
Department: ITS Research Computing
-Description: Research Computing staff from Syracuse University's Information Technology Services (ITS)
+Description: Research Computing staff from Syracuse University's Information Technology
+ Services (ITS)
FieldOfScience: Integrative Activities
Organization: Syracuse University
PIName: Eric Sedore
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30'
diff --git a/projects/Syracuse_Nitz.yaml b/projects/Syracuse_Nitz.yaml
index c1f2be67d..77c814463 100644
--- a/projects/Syracuse_Nitz.yaml
+++ b/projects/Syracuse_Nitz.yaml
@@ -3,3 +3,4 @@ Department: Physics
FieldOfScience: Astronomy and Astrophysics
Organization: Syracuse University
PIName: Alex Nitz
+FieldOfScienceID: '40.0202'
diff --git a/projects/SysBioEdu.yaml b/projects/SysBioEdu.yaml
index c56407d78..35a39dcbd 100644
--- a/projects/SysBioEdu.yaml
+++ b/projects/SysBioEdu.yaml
@@ -8,3 +8,4 @@ PIName: Stephen Ficklin
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1308'
diff --git a/projects/TAMUCT_Thron.yaml b/projects/TAMUCT_Thron.yaml
index cef66630e..c0d4b4961 100644
--- a/projects/TAMUCT_Thron.yaml
+++ b/projects/TAMUCT_Thron.yaml
@@ -1,5 +1,7 @@
-Description: Large-scale agent-based simulations; stochastic optimization; training of neural networks
+Description: Large-scale agent-based simulations; stochastic optimization; training
+ of neural networks
Department: Department of Science and Mathematics
FieldOfScience: Mathematics and Statistics
Organization: Texas A&M University-Central Texas
PIName: Christopher Thron
+FieldOfScienceID: '27.0503'
diff --git a/projects/TAMU_Rathinam.yaml b/projects/TAMU_Rathinam.yaml
index 1fd498e8d..a5499febd 100644
--- a/projects/TAMU_Rathinam.yaml
+++ b/projects/TAMU_Rathinam.yaml
@@ -1,9 +1,10 @@
Description: Develop novel algorithms for path planning of multi-agent systems.
-Department: Department of Mechanical Engineering
+Department: Department of Mechanical Engineering
FieldOfScience: Engineering
Organization: Texas A&M University
-PIName: Sivakumar Rathinam
+PIName: Sivakumar Rathinam
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14'
diff --git a/projects/TAMUpheno.yaml b/projects/TAMUpheno.yaml
index ab06cb04f..e9ed0f193 100644
--- a/projects/TAMUpheno.yaml
+++ b/projects/TAMUpheno.yaml
@@ -1,18 +1,17 @@
Department: Department of Physics & Astronomy
-Description: "The Large Hadron Collider (LHC) experiments have successfully discovered\
- \ the last missing piece of the standard model (SM)\u2014the elusive Higgs boson.\
- \ However, no sign of any physics beyond the SM has been observed yet. Although\
- \ the standard model has been extremely effective, many unsolved questions still\
- \ remain.\nThe focus of our group is to study models of physics beyond the SM, which\
- \ tries solve the aforementioned unsolved questions, and explore their possible\
- \ signatures, at LHC experiments predominately. These models include Supersymmetric\
- \ models, Grand Unified Theories, Left-Right Symmetric models and various Dark Matter\
- \ models.\nLHC is going through an upgrade now and it will start functioning again\
- \ next year with increased energy. We are pursuing a number of projects trying to\
- \ predict the possible signature of new physics, pertaining to various models described\
- \ above, in upcoming LHC experiments. Owing to these we need sufficient comuting\
- \ power and intend to run collider simulators including MadGraph, Pythia, PGS, Delphes\
- \ etc."
+Description: "The Large Hadron Collider (LHC) experiments have successfully discovered
+ the last missing piece of the standard model (SM)—the elusive Higgs boson. However,
+ no sign of any physics beyond the SM has been observed yet. Although the standard
+ model has been extremely effective, many unsolved questions still remain.\nThe focus
+ of our group is to study models of physics beyond the SM, which tries solve the
+ aforementioned unsolved questions, and explore their possible signatures, at LHC
+ experiments predominately. These models include Supersymmetric models, Grand Unified
+ Theories, Left-Right Symmetric models and various Dark Matter models.\nLHC is going
+ through an upgrade now and it will start functioning again next year with increased
+ energy. We are pursuing a number of projects trying to predict the possible signature
+ of new physics, pertaining to various models described above, in upcoming LHC experiments.
+ Owing to these we need sufficient comuting power and intend to run collider simulators
+ including MadGraph, Pythia, PGS, Delphes etc."
FieldOfScience: High Energy Physics
ID: '120'
Organization: Texas A&M University
@@ -20,3 +19,4 @@ PIName: Bhaskar Dutta
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/TCGAPartCorr.yaml b/projects/TCGAPartCorr.yaml
index 6bf66bca9..8ccb637f7 100644
--- a/projects/TCGAPartCorr.yaml
+++ b/projects/TCGAPartCorr.yaml
@@ -8,3 +8,4 @@ PIName: Chad Shaw
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/TCNJ_Science.yaml b/projects/TCNJ_Science.yaml
index fc673457a..c1a8f54f4 100644
--- a/projects/TCNJ_Science.yaml
+++ b/projects/TCNJ_Science.yaml
@@ -1,4 +1,5 @@
-Description: Group for School of Science computing support/facilitators at The College of New Jersey
+Description: Group for School of Science computing support/facilitators at The College
+ of New Jersey
Department: School of Science
FieldOfScience: Research Computing
Organization: The College of New Jersey
@@ -7,3 +8,4 @@ PIName: Sunita Kramer
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/TDAI_Staff.yaml b/projects/TDAI_Staff.yaml
index 3f9dfb6df..3beea5803 100644
--- a/projects/TDAI_Staff.yaml
+++ b/projects/TDAI_Staff.yaml
@@ -1,4 +1,10 @@
-Description: "This project is for an XSEDE/Access Champions allocation, so there is no project that is planned for OSG presently. TDAI serves over 200 faculty affiliates that have interest in various aspects of Data Science, with researchers spanning disciplines from foundational methods, to applications in a variety of sciences, to data governance and policy. The intention of obtaining an OSG project is similar to other Champions accounts: to have resources readily available for researchers to test-drive against their workflow prior to obtaining their own allocations. https://tdai.osu.edu/research-action"
+Description: 'This project is for an XSEDE/Access Champions allocation, so there is
+ no project that is planned for OSG presently. TDAI serves over 200 faculty affiliates
+ that have interest in various aspects of Data Science, with researchers spanning
+ disciplines from foundational methods, to applications in a variety of sciences,
+ to data governance and policy. The intention of obtaining an OSG project is similar
+ to other Champions accounts: to have resources readily available for researchers
+ to test-drive against their workflow prior to obtaining their own allocations. https://tdai.osu.edu/research-action'
Department: Translational Data Analytics Institute
FieldOfScience: Data Science
Organization: The Ohio State University
@@ -7,3 +13,4 @@ PIName: Tanya Berger-Wolf
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30.7001'
diff --git a/projects/TDAstats.yaml b/projects/TDAstats.yaml
index e81558df0..eb48aa4b0 100644
--- a/projects/TDAstats.yaml
+++ b/projects/TDAstats.yaml
@@ -7,3 +7,4 @@ PIName: David Meyer
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27'
diff --git a/projects/TG-ASC130043.yaml b/projects/TG-ASC130043.yaml
index 3da2e928b..3f381a32c 100644
--- a/projects/TG-ASC130043.yaml
+++ b/projects/TG-ASC130043.yaml
@@ -26,3 +26,4 @@ PIName: David Rogers
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '11'
diff --git a/projects/TG-ASC180023.yaml b/projects/TG-ASC180023.yaml
index 7bcab4138..f9599203b 100644
--- a/projects/TG-ASC180023.yaml
+++ b/projects/TG-ASC180023.yaml
@@ -8,3 +8,4 @@ PIName: Scott Valcourt
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30.3001'
diff --git a/projects/TG-AST140088.yaml b/projects/TG-AST140088.yaml
index 627fd9ea7..f875f7361 100644
--- a/projects/TG-AST140088.yaml
+++ b/projects/TG-AST140088.yaml
@@ -1,27 +1,26 @@
Department: Physics
-Description: "The IceCube Neutrino Observatory is responsible for providing the IceCube\
- \ collaboration with Monte Carlo data including cosmic-ray shower simulations and\
- \ simulation of the IceCube detector response. These simulations are used for studying\
- \ the systematics of our detector and performance of future geometries. In addition,\
- \ a large volume of background cosmic ray simulation is needed in order to optimize\
- \ data analyses.\nA key component of simulating the IceCube detector is the correct\
- \ modeling of the optical properties of the Antarctic ice which requires a lot of\
- \ computation and has been adapted to run on GPUs. \n\nThe IceProd framework is\
- \ a software package developed for IceCube with the goal of managing productions\
- \ across distributed systems and pooling together isolated computing resources that\
- \ are scattered throughout the Collaboration. It consists of a central database\
- \ hosted at University of Wisconsin-Madison and a set of daemons that are responsible\
- \ for management of grid jobs as and data handling through the use of existing grid\
- \ technology and network protocols. The IceCube Monte Carlo production is configured\
- \ as a distributed workflow DAG that utilizes both CPU and GPU resources for various\
- \ portions of the simulation chain. The intent is to utilize the Keeneland cluster\
- \ in Georgia Tech to run GPU tasks and OSG for general CPU tasks through XSEDE.\
- \ Intermediate files can be stored on a GridFTP server and are typically kept until\
- \ the individual DAG completes. For a large production run, a typical storage requirement\
- \ might be on the order of 5 TB.\nThe IceCube collaboration would like to request\
- \ an initial allocation of 100,000 SU\u2019s. This allocation will be used to produce\
- \ and reconstruct Monte Carlo simulations for the IC86 in-ice detectors as well\
- \ as the IT81 surface detector."
+Description: "The IceCube Neutrino Observatory is responsible for providing the IceCube
+ collaboration with Monte Carlo data including cosmic-ray shower simulations and
+ simulation of the IceCube detector response. These simulations are used for studying
+ the systematics of our detector and performance of future geometries. In addition,
+ a large volume of background cosmic ray simulation is needed in order to optimize
+ data analyses.\nA key component of simulating the IceCube detector is the correct
+ modeling of the optical properties of the Antarctic ice which requires a lot of
+ computation and has been adapted to run on GPUs. \n\nThe IceProd framework is a
+ software package developed for IceCube with the goal of managing productions across
+ distributed systems and pooling together isolated computing resources that are scattered
+ throughout the Collaboration. It consists of a central database hosted at University
+ of Wisconsin-Madison and a set of daemons that are responsible for management of
+ grid jobs as and data handling through the use of existing grid technology and network
+ protocols. The IceCube Monte Carlo production is configured as a distributed workflow
+ DAG that utilizes both CPU and GPU resources for various portions of the simulation
+ chain. The intent is to utilize the Keeneland cluster in Georgia Tech to run GPU
+ tasks and OSG for general CPU tasks through XSEDE. Intermediate files can be stored
+ on a GridFTP server and are typically kept until the individual DAG completes. \
+ \ For a large production run, a typical storage requirement might be on the order
+ of 5 TB.\nThe IceCube collaboration would like to request an initial allocation
+ of 100,000 SU’s. This allocation will be used to produce and reconstruct Monte Carlo
+ simulations for the IC86 in-ice detectors as well as the IT81 surface detector."
FieldOfScience: High Energy Physics
ID: '154'
Organization: University of Wisconsin-Madison
@@ -29,3 +28,4 @@ PIName: Francis Halzen
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.08'
diff --git a/projects/TG-AST150012.yaml b/projects/TG-AST150012.yaml
index 9a0998426..2081dcf50 100644
--- a/projects/TG-AST150012.yaml
+++ b/projects/TG-AST150012.yaml
@@ -1,47 +1,46 @@
Department: Unknown
-Description: "We request a startup allocation to support development on two related\
- \ projects. The main idea is to use three dimensional simulations to constrain\
- \ the histories of observed galaxies. The majority of work (1) during the initial\
- \ periods of this startup will be for Graduate Student S. Alireza Mortazavi to shift\
- \ an existing Condor-based pipeline at the Space Telescope Science Institute (STScI)\
- \ to the Open Science Grid in order to test and plan for an ambitious expansion\
- \ of his research program to constrain the dynamical histories of galaxies (Mortazavi\
- \ et al. 2015). PI Snyder will also begin to develop pipelines to exploit large-scale\
- \ cosmological hydrodynamical simulations (2), which predict the evolution of entire\
- \ populations of galaxies in representative model universes, requiring data-intensive\
- \ computing. \n\n1. Modeling the Initial Conditions of Interacting Galaxy Pairs\
- \ Using Identikit\n\nWe use the Identikit software (Barnes & Hibbard 2009, Barnes\
- \ 2011; http://www.ifa.hawaii.edu/~barnes/research/identikit/ ) to model the dynamics\
- \ of interacting galaxy pairs. By measuring the initial conditions of galaxy mergers,\
- \ we can constrain both cosmology and galaxy astrophysics. A galactic encounter\
- \ has several free parameters and it is time consuming to find the best match between\
- \ model and data. However, Identikit combines multiple techniques to quickly explore\
- \ parameter space to find the simulation most similar to the observed shape and\
- \ constituent velocities. We have developed an automated pipeline based on the latest\
- \ version of Identikit to scan parameter space and find robust matches and associated\
- \ uncertainties (Mortazavi et al. 2015), implemented in an STScI-based Condor environment.\
- \ We will continue to test our method against simulations of galaxy mergers to determine\
- \ the systematic errors in our measurements. In addition, we will apply it to real\
- \ data: We have observed a sample of ~30 interacting galaxy pairs using different\
- \ telescopes. We have reached the limits of the HTCondor cluster at STScI, and therefore\
- \ we seek to test the options available through XSEDE. We need around 50,000 SUs\
- \ to compute matches and uncertainties of the measurements for each merging pair\
- \ (observed or simulated), and so we are requesting a startup allocation of 150,000\
- \ SUs to perform tests while planning for a larger research allocation. This research\
- \ will have direct applications for interpreting data from the Sloan Digital Sky\
- \ Survey-IV survey \"Mapping Nearby Galaxies at APO\" (MaNGA).\n\n2. Mock data\
- \ applications from large hydrodynamical simulations\n\nPI Snyder will develop methods\
- \ for converting large cosmological simulations of galaxy formation (e.g., the Illustris\
- \ Project www.illustris-project.org) into direct predictions for astronomical observatories.\
- \ With XSEDE resources, I will seek to expand our Mock Galaxy Observatory efforts\
- \ in new and ambitious directions, such as creating synthetic survey fields and\
- \ advanced spectroscopic data products. For instance, we will explore the possibility\
- \ of using large cosmological simulations as benchmarks for the Identikit modeling\
- \ described in project 1. For testing, we are requesting 50,000 SUs on Gordon,\
- \ and Data Oasis storage of 5000GB, enough to store two Illustris Simulation (or\
- \ similar) outputs plus post-processed data products. In future allocation requests,\
- \ we may seek to make these model archives available to the community through an\
- \ XSEDE Gateway."
+Description: "We request a startup allocation to support development on two related
+ projects. The main idea is to use three dimensional simulations to constrain the
+ histories of observed galaxies. The majority of work (1) during the initial periods
+ of this startup will be for Graduate Student S. Alireza Mortazavi to shift an existing
+ Condor-based pipeline at the Space Telescope Science Institute (STScI) to the Open
+ Science Grid in order to test and plan for an ambitious expansion of his research
+ program to constrain the dynamical histories of galaxies (Mortazavi et al. 2015).
+ PI Snyder will also begin to develop pipelines to exploit large-scale cosmological
+ hydrodynamical simulations (2), which predict the evolution of entire populations
+ of galaxies in representative model universes, requiring data-intensive computing.\
+ \ \n\n1. Modeling the Initial Conditions of Interacting Galaxy Pairs Using Identikit\n
+ \nWe use the Identikit software (Barnes & Hibbard 2009, Barnes 2011; http://www.ifa.hawaii.edu/~barnes/research/identikit/
+ ) to model the dynamics of interacting galaxy pairs. By measuring the initial conditions
+ of galaxy mergers, we can constrain both cosmology and galaxy astrophysics. A galactic
+ encounter has several free parameters and it is time consuming to find the best
+ match between model and data. However, Identikit combines multiple techniques to
+ quickly explore parameter space to find the simulation most similar to the observed
+ shape and constituent velocities. We have developed an automated pipeline based
+ on the latest version of Identikit to scan parameter space and find robust matches
+ and associated uncertainties (Mortazavi et al. 2015), implemented in an STScI-based
+ Condor environment. We will continue to test our method against simulations of galaxy
+ mergers to determine the systematic errors in our measurements. In addition, we
+ will apply it to real data: We have observed a sample of ~30 interacting galaxy
+ pairs using different telescopes. We have reached the limits of the HTCondor cluster
+ at STScI, and therefore we seek to test the options available through XSEDE. We
+ need around 50,000 SUs to compute matches and uncertainties of the measurements
+ for each merging pair (observed or simulated), and so we are requesting a startup
+ allocation of 150,000 SUs to perform tests while planning for a larger research
+ allocation. This research will have direct applications for interpreting data from
+ the Sloan Digital Sky Survey-IV survey \"Mapping Nearby Galaxies at APO\" (MaNGA).\n\
+ \n2. Mock data applications from large hydrodynamical simulations\n\nPI Snyder
+ will develop methods for converting large cosmological simulations of galaxy formation
+ (e.g., the Illustris Project www.illustris-project.org) into direct predictions
+ for astronomical observatories. With XSEDE resources, I will seek to expand our
+ Mock Galaxy Observatory efforts in new and ambitious directions, such as creating
+ synthetic survey fields and advanced spectroscopic data products. For instance,
+ we will explore the possibility of using large cosmological simulations as benchmarks
+ for the Identikit modeling described in project 1. For testing, we are requesting
+ 50,000 SUs on Gordon, and Data Oasis storage of 5000GB, enough to store two Illustris
+ Simulation (or similar) outputs plus post-processed data products. In future allocation
+ requests, we may seek to make these model archives available to the community through
+ an XSEDE Gateway."
FieldOfScience: Mathematical Sciences
ID: '152'
Organization: Space Telescope Science Institute
@@ -49,3 +48,4 @@ PIName: Gregory Snyder
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '27'
diff --git a/projects/TG-AST150033.yaml b/projects/TG-AST150033.yaml
index 4626b1aa8..245c87058 100644
--- a/projects/TG-AST150033.yaml
+++ b/projects/TG-AST150033.yaml
@@ -1,28 +1,27 @@
Department: Astronomy
-Description: "The Kepler Mission has detected dozens of compact planetary systems\
- \ with more than four transiting planets. This sample provides a collection of close-packed\
- \ planetary systems with relatively little spread in the inclination angles of the\
- \ inferred orbits. A large fraction of the observational sample contains limited\
- \ multiplicity, begging the question whether there is a true diversity of multi-transiting\
- \ systems, or if some systems merely possess high mutual inclinations, allowing\
- \ them to appear as single-transiting systems in a transit-based survey. Planet\
- \ formation is an active yet poorly understood field: insight to the histories and\
- \ dynamics of multi-planet systems would be helpful towards understanding planet\
- \ formation as a whole. \n\nIn previous work, we have determined the regimes of\
- \ parameter space for which orbital inclinations can be effectively excited by planet-planet\
- \ interactions among the currently observed bodies. We found that the orbital inclination\
- \ angles are not spread out appreciably through self-excitation. In contrast, we\
- \ found that the two Kepler multi-planet systems with additional non-transiting\
- \ planets are susceptible to oscillations of their inclination angles, which means\
- \ their currently observed configurations could be due to planet-planet interactions\
- \ alone. The multi-planet compact Kepler systems are found to be remarkably stable\
- \ to oscillations of their inclination angles. The oscillations of inclination found\
- \ in our previous work inform the recently suggested dichotomy in the sample of\
- \ solar systems observed by Kepler. However, it would also be useful to study the\
- \ behaviors of these systems with perturbing companions. This would enable a better\
- \ understanding of the observed systems, resulting in a more accurate exoplanet\
- \ population census. To do this, we must perform computationally intensive calculations\
- \ and simulations."
+Description: "The Kepler Mission has detected dozens of compact planetary systems
+ with more than four transiting planets. This sample provides a collection of close-packed
+ planetary systems with relatively little spread in the inclination angles of the
+ inferred orbits. A large fraction of the observational sample contains limited multiplicity,
+ begging the question whether there is a true diversity of multi-transiting systems,
+ or if some systems merely possess high mutual inclinations, allowing them to appear
+ as single-transiting systems in a transit-based survey. Planet formation is an active
+ yet poorly understood field: insight to the histories and dynamics of multi-planet
+ systems would be helpful towards understanding planet formation as a whole. \n\n
+ In previous work, we have determined the regimes of parameter space for which orbital
+ inclinations can be effectively excited by planet-planet interactions among the
+ currently observed bodies. We found that the orbital inclination angles are not
+ spread out appreciably through self-excitation. In contrast, we found that the
+ two Kepler multi-planet systems with additional non-transiting planets are susceptible
+ to oscillations of their inclination angles, which means their currently observed
+ configurations could be due to planet-planet interactions alone. The multi-planet
+ compact Kepler systems are found to be remarkably stable to oscillations of their
+ inclination angles. The oscillations of inclination found in our previous work inform
+ the recently suggested dichotomy in the sample of solar systems observed by Kepler.
+ However, it would also be useful to study the behaviors of these systems with perturbing
+ companions. This would enable a better understanding of the observed systems, resulting
+ in a more accurate exoplanet population census. To do this, we must perform computationally
+ intensive calculations and simulations."
FieldOfScience: Astrophysics
ID: '165'
Organization: University of Michigan
@@ -30,3 +29,4 @@ PIName: Juliette Becker
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.0202'
diff --git a/projects/TG-AST150044.yaml b/projects/TG-AST150044.yaml
index 4c305a009..d53a32a3c 100644
--- a/projects/TG-AST150044.yaml
+++ b/projects/TG-AST150044.yaml
@@ -1,13 +1,13 @@
Department: Astronomical Sciences
-Description: "We are requesting 1,700,000 SUs on Open Science Grid to model the initial\
- \ conditions of a sample of 15 major galaxy mergers in the local universe. These\
- \ measurements will place unique constraints on the role of galaxy mergers in shaping\
- \ galaxy evolution, and on cosmological assembly. Our sample consists of 15 interacting\
- \ galaxy pairs with H\u03B1 kinematic maps, 2 of which have both H\u03B1 and HI\
- \ 2D kinematic maps and 3 of which are drawn from the SDSSIV MaNGA survey. We will\
- \ use the Identikit software package (Barnes & Hibbard 2009; Barnes 2011) and our\
- \ automated pipeline to model the dynamics of interacting galaxy pairs and constrain\
- \ their initial orbital parameters and merger stage."
+Description: We are requesting 1,700,000 SUs on Open Science Grid to model the initial
+ conditions of a sample of 15 major galaxy mergers in the local universe. These measurements
+ will place unique constraints on the role of galaxy mergers in shaping galaxy evolution,
+ and on cosmological assembly. Our sample consists of 15 interacting galaxy pairs
+ with Hα kinematic maps, 2 of which have both Hα and HI 2D kinematic maps and 3 of
+ which are drawn from the SDSSIV MaNGA survey. We will use the Identikit software
+ package (Barnes & Hibbard 2009; Barnes 2011) and our automated pipeline to model
+ the dynamics of interacting galaxy pairs and constrain their initial orbital parameters
+ and merger stage.
FieldOfScience: Astrophysics
ID: '195'
Organization: Space Telescope Science Institute
@@ -15,3 +15,4 @@ PIName: Jennifer Lotz
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.0202'
diff --git a/projects/TG-AST150046.yaml b/projects/TG-AST150046.yaml
index e74e1d697..ba1e746d0 100644
--- a/projects/TG-AST150046.yaml
+++ b/projects/TG-AST150046.yaml
@@ -12,3 +12,4 @@ PIName: Suzanne Hawley
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.08'
diff --git a/projects/TG-AST160036.yaml b/projects/TG-AST160036.yaml
index 4c577c131..a73b35db9 100644
--- a/projects/TG-AST160036.yaml
+++ b/projects/TG-AST160036.yaml
@@ -24,3 +24,4 @@ PIName: James Davenport
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.0202'
diff --git a/projects/TG-AST160046.yaml b/projects/TG-AST160046.yaml
index 50115d0a1..6ad082364 100644
--- a/projects/TG-AST160046.yaml
+++ b/projects/TG-AST160046.yaml
@@ -1,21 +1,21 @@
Department: Physics
-Description: "Our ultimate goal with this proposal is to understand how magnetic dynamos\
- \ work on stars other than the Sun. To do\n the science we propose which is to\
- \ measure the typical starspot lifetime as a function of rotation rate and stellar\
- \ mass and derive the starspot number and the spatial starspot distribution for\
- \ stars other than the Sun, we must apply our light curve model\ning program to\
- \ the full duration (4 years) of publicly available short cadence Kepler time series\
- \ photometry of as many of our targets as possible. We must run the code many times\
- \ per target in a Monte Carlo fashion in order to explore the full parameter s\n\
- pace of potential solutions. We must also do trials with different numbers of starspots\
- \ in order to determine the optimal number of spots necessary to fit the light curves.\
- \ For this initial research allocation, we proposal to use the Open Science Grid\
- \ to\n do a series of runs for 5 high priority targets: HAT-P-11, Kepler-17, Kepler-63,\
- \ KOI-340, and KOI-1786, using our STSP code designed specifically for high throughput\
- \ computing. The core code for the work has already been completed. Now, we need\
- \ to run i\nt many times in many different configurations in order extract the scientific\
- \ results. This mode of operating is well suited to training the young students\
- \ and scientists that will do this work."
+Description: "Our ultimate goal with this proposal is to understand how magnetic dynamos
+ work on stars other than the Sun. To do\n the science we propose which is to measure
+ the typical starspot lifetime as a function of rotation rate and stellar mass and
+ derive the starspot number and the spatial starspot distribution for stars other
+ than the Sun, we must apply our light curve model\ning program to the full duration
+ (4 years) of publicly available short cadence Kepler time series photometry of as
+ many of our targets as possible. We must run the code many times per target in a
+ Monte Carlo fashion in order to explore the full parameter s\npace of potential
+ solutions. We must also do trials with different numbers of starspots in order to
+ determine the optimal number of spots necessary to fit the light curves. For this
+ initial research allocation, we proposal to use the Open Science Grid to\n do a
+ series of runs for 5 high priority targets: HAT-P-11, Kepler-17, Kepler-63, KOI-340,
+ and KOI-1786, using our STSP code designed specifically for high throughput computing.\
+ \ The core code for the work has already been completed. Now, we need to run i\n
+ t many times in many different configurations in order extract the scientific results.
+ This mode of operating is well suited to training the young students and scientists
+ that will do this work."
FieldOfScience: Physics
ID: '376'
Organization: Hobart and William Smith Colleges
@@ -23,3 +23,4 @@ PIName: Leslie Hebb
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.08'
diff --git a/projects/TG-AST170008.yaml b/projects/TG-AST170008.yaml
index 6643e4401..bc212c9fd 100644
--- a/projects/TG-AST170008.yaml
+++ b/projects/TG-AST170008.yaml
@@ -25,3 +25,4 @@ PIName: Stephanie Hamilton
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.0202'
diff --git a/projects/TG-AST190031.yaml b/projects/TG-AST190031.yaml
index 9f6176fb6..771d6fc67 100644
--- a/projects/TG-AST190031.yaml
+++ b/projects/TG-AST190031.yaml
@@ -10,3 +10,4 @@ Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.0203'
diff --git a/projects/TG-AST190036.yaml b/projects/TG-AST190036.yaml
index 96a72500f..7fee81c0b 100644
--- a/projects/TG-AST190036.yaml
+++ b/projects/TG-AST190036.yaml
@@ -1,4 +1,5 @@
-Description: "Exo-Cartography: Constraining Planet Formation through Mapping the Three-Dimensional Architectures of Planetary Systems"
+Description: 'Exo-Cartography: Constraining Planet Formation through Mapping the Three-Dimensional
+ Architectures of Planetary Systems'
Department: Astronomy
FieldOfScience: Astronomical Sciences
Organization: University of Michigan
@@ -10,3 +11,4 @@ Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.0201'
diff --git a/projects/TG-ATM130009.yaml b/projects/TG-ATM130009.yaml
index e181891d5..68be66627 100644
--- a/projects/TG-ATM130009.yaml
+++ b/projects/TG-ATM130009.yaml
@@ -25,3 +25,4 @@ PIName: Phillip Anderson
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.04'
diff --git a/projects/TG-ATM130015.yaml b/projects/TG-ATM130015.yaml
index 7d2c4e6d5..5c95f89af 100644
--- a/projects/TG-ATM130015.yaml
+++ b/projects/TG-ATM130015.yaml
@@ -14,3 +14,4 @@ PIName: Phillip Anderson
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.04'
diff --git a/projects/TG-BCS110002.yaml b/projects/TG-BCS110002.yaml
index 5e977a41c..70461dba3 100644
--- a/projects/TG-BCS110002.yaml
+++ b/projects/TG-BCS110002.yaml
@@ -48,3 +48,4 @@ PIName: Thomas
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '26'
diff --git a/projects/TG-BIO180012.yaml b/projects/TG-BIO180012.yaml
index 0d1a4349b..a278fe01b 100644
--- a/projects/TG-BIO180012.yaml
+++ b/projects/TG-BIO180012.yaml
@@ -1,4 +1,5 @@
-Description: Automatic knowledge base construction and hypothesis generation antibiotic resistance mechanisms for Escherichia coli
+Description: Automatic knowledge base construction and hypothesis generation antibiotic
+ resistance mechanisms for Escherichia coli
Department: Computer Science
FieldOfScience: Biological Sciences
Organization: University of California, Davis
@@ -10,3 +11,4 @@ Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '26'
diff --git a/projects/TG-BIO200038.yaml b/projects/TG-BIO200038.yaml
index ccf6b5935..28d6b8496 100644
--- a/projects/TG-BIO200038.yaml
+++ b/projects/TG-BIO200038.yaml
@@ -9,3 +9,4 @@ PIName: Joseph Yesselman
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.02'
diff --git a/projects/TG-BIO210118.yaml b/projects/TG-BIO210118.yaml
index 8c64a711f..0c8681585 100644
--- a/projects/TG-BIO210118.yaml
+++ b/projects/TG-BIO210118.yaml
@@ -1,4 +1,4 @@
-Description: "Prediction accuracy of R-loop formation along the human genome"
+Description: Prediction accuracy of R-loop formation along the human genome
Department: Molecular and Cellular Biology
FieldOfScience: Genetics
Organization: University of California, Davis
@@ -7,3 +7,4 @@ ID: '834'
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '26.0806'
diff --git a/projects/TG-BIO210164.yaml b/projects/TG-BIO210164.yaml
index a4f200ca7..fca0c7b54 100644
--- a/projects/TG-BIO210164.yaml
+++ b/projects/TG-BIO210164.yaml
@@ -1,8 +1,7 @@
-Description: The project aims to build a dataset of bioelectrical
- dynamics of a simulated cluster of somatic cells. Bioelectric
- patterns in tissue are now known to be a critical instructive
- influence over embryonic and regenerative morphogenesis, as well
- as over conversion to cancer.
+Description: The project aims to build a dataset of bioelectrical dynamics of a simulated
+ cluster of somatic cells. Bioelectric patterns in tissue are now known to be a critical
+ instructive influence over embryonic and regenerative morphogenesis, as well as
+ over conversion to cancer.
Department: Biology
FieldOfScience: Cell Biology
Organization: Tufts University
@@ -11,3 +10,4 @@ PIName: Michael Levin
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.04'
diff --git a/projects/TG-CCR130001.yaml b/projects/TG-CCR130001.yaml
index cc712d170..6cae7a8e7 100644
--- a/projects/TG-CCR130001.yaml
+++ b/projects/TG-CCR130001.yaml
@@ -7,3 +7,4 @@ PIName: Ruth Marinshaw
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '30.3001'
diff --git a/projects/TG-CCR140028.yaml b/projects/TG-CCR140028.yaml
index b3634a649..3c82d65c8 100644
--- a/projects/TG-CCR140028.yaml
+++ b/projects/TG-CCR140028.yaml
@@ -8,3 +8,4 @@ PIName: Shantenu Jha
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '11'
diff --git a/projects/TG-CDA080011.yaml b/projects/TG-CDA080011.yaml
index d6e37fbc8..3400c2519 100644
--- a/projects/TG-CDA080011.yaml
+++ b/projects/TG-CDA080011.yaml
@@ -7,3 +7,4 @@ PIName: Vikram Gazula
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '11'
diff --git a/projects/TG-CDA100013.yaml b/projects/TG-CDA100013.yaml
index 75a5a66b5..bf27881d3 100644
--- a/projects/TG-CDA100013.yaml
+++ b/projects/TG-CDA100013.yaml
@@ -1,6 +1,6 @@
Department: ITS Research Computing
-Description: "\uFEFF\uFEFFCampus Champion renewal to support the University of North\
- \ Carolina at Chapel Hill."
+Description: "\uFEFF\uFEFFCampus Champion renewal to support the University of North
+ Carolina at Chapel Hill."
FieldOfScience: Mathematical Sciences
ID: '97'
Organization: University of North Carolina at Chapel Hill
@@ -8,3 +8,4 @@ PIName: Mark Reed
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '27'
diff --git a/projects/TG-CHE130091.yaml b/projects/TG-CHE130091.yaml
index 5a2468697..d2c6f599a 100644
--- a/projects/TG-CHE130091.yaml
+++ b/projects/TG-CHE130091.yaml
@@ -23,3 +23,4 @@ PIName: Paul Siders
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.05'
diff --git a/projects/TG-CHE130103.yaml b/projects/TG-CHE130103.yaml
index 78d982c90..15586f036 100644
--- a/projects/TG-CHE130103.yaml
+++ b/projects/TG-CHE130103.yaml
@@ -24,3 +24,4 @@ PIName: Jeremy Moix
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.05'
diff --git a/projects/TG-CHE140094.yaml b/projects/TG-CHE140094.yaml
index b62c84282..437b49e63 100644
--- a/projects/TG-CHE140094.yaml
+++ b/projects/TG-CHE140094.yaml
@@ -14,3 +14,4 @@ PIName: John Stubbs
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.05'
diff --git a/projects/TG-CHE140098.yaml b/projects/TG-CHE140098.yaml
index c6bcfbcec..31c41f901 100644
--- a/projects/TG-CHE140098.yaml
+++ b/projects/TG-CHE140098.yaml
@@ -1,46 +1,21 @@
Department: Chemistry and Biochemistry
-Description: 'The work proposed is Monte Carlo modeling of the interaction between
- mobile and sta-
-
- tionary phases as they relate to supercritical fluid chromatography (SFC). Proposed
- research
-
- continues that done with the startup allocation, which involved writing, testing,
- and porting
-
- Monte Carlo code to model intermolecular interactions and fluid phase equilibria
- in com-
-
- pressed carbon dioxide. Carbon dioxide is the main component of the mobile phase
- in SFC,
-
- which typically operates at temperatures and and pressures above the critical point.
- The
-
- objective of the proposed work is an understanding at the molecular level of the
- interac-
-
- tion between mobile-phase molecules and the alkylsilane-coated silica stationary
- phase. The
-
+Description: "The work proposed is Monte Carlo modeling of the interaction between
+ mobile and sta-\ntionary phases as they relate to supercritical fluid chromatography
+ (SFC). Proposed research\ncontinues that done with the startup allocation, which
+ involved writing, testing, and porting\nMonte Carlo code to model intermolecular
+ interactions and fluid phase equilibria in com-\npressed carbon dioxide. Carbon
+ dioxide is the main component of the mobile phase in SFC,\nwhich typically operates
+ at temperatures and and pressures above the critical point. The\nobjective of the
+ proposed work is an understanding at the molecular level of the interac-\ntion between
+ mobile-phase molecules and the alkylsilane-coated silica stationary phase. The\n
computational method is Monte Carlo simulation, mainly in the constant-pressure
- Gibbs
-
- ensemble. Hybrid molecular dynamics moves will be used for alklylsilane chains.
- Proposed
-
- calculations will survey four alkylsilane coatings, eight pressures, three temperatures,
- and
-
- three mobile-phase compositions. Compositions will be pure carbon dioxide and carbon
-
- dioxide modified with 5% or 10% methanol. XSEDE resources requested are service
- units
-
- on the Open Science Grid, which suits the small portable nature of the Monte Carlo
- code.
-
- Weeks-long runs will be achieved by automatic resubmission of jobs.'
+ Gibbs\nensemble. Hybrid molecular dynamics moves will be used for alklylsilane chains.
+ Proposed\ncalculations will survey four alkylsilane coatings, eight pressures, three
+ temperatures, and\nthree mobile-phase compositions. Compositions will be pure carbon
+ dioxide and carbon\ndioxide modified with 5% or 10% methanol. XSEDE resources requested
+ are service units\non the Open Science Grid, which suits the small portable nature
+ of the Monte Carlo code.\nWeeks-long runs will be achieved by automatic resubmission
+ of jobs."
FieldOfScience: Chemistry
ID: '130'
Organization: University of Minnesota Duluth
@@ -48,3 +23,4 @@ PIName: Paul Siders
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.05'
diff --git a/projects/TG-CHE140110.yaml b/projects/TG-CHE140110.yaml
index f679bee26..f9620f5bd 100644
--- a/projects/TG-CHE140110.yaml
+++ b/projects/TG-CHE140110.yaml
@@ -12,3 +12,4 @@ PIName: John Stubbs
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.05'
diff --git a/projects/TG-CHE150012.yaml b/projects/TG-CHE150012.yaml
index e2802a629..933006ab4 100644
--- a/projects/TG-CHE150012.yaml
+++ b/projects/TG-CHE150012.yaml
@@ -14,3 +14,4 @@ PIName: Christopher Fennell
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.05'
diff --git a/projects/TG-CHE170021.yaml b/projects/TG-CHE170021.yaml
index af6e681bb..bb547e4fd 100644
--- a/projects/TG-CHE170021.yaml
+++ b/projects/TG-CHE170021.yaml
@@ -10,3 +10,4 @@ Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.0506'
diff --git a/projects/TG-CHE190012.yaml b/projects/TG-CHE190012.yaml
index 8f9493aee..001b77bee 100644
--- a/projects/TG-CHE190012.yaml
+++ b/projects/TG-CHE190012.yaml
@@ -1,4 +1,5 @@
-Description: Numerical demonstration of chiral molecule separation using circularly polarized light in an achiral environment under mild condition
+Description: Numerical demonstration of chiral molecule separation using circularly
+ polarized light in an achiral environment under mild condition
Department: Chemistry
FieldOfScience: Chemistry
Organization: University of Central Florida
@@ -10,3 +11,4 @@ Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.05'
diff --git a/projects/TG-CHE190046.yaml b/projects/TG-CHE190046.yaml
index edfd2bdde..7a9b7701a 100644
--- a/projects/TG-CHE190046.yaml
+++ b/projects/TG-CHE190046.yaml
@@ -1,5 +1,5 @@
-Description: Spectroscopic signatures of enhanced coherent transport
- in chemically modified light-harvesting systems
+Description: Spectroscopic signatures of enhanced coherent transport in chemically
+ modified light-harvesting systems
Department: Chemistry and James Franck Institute
FieldOfScience: Chemistry
Organization: University of Chicago
@@ -9,3 +9,4 @@ Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.05'
diff --git a/projects/TG-CHE200063.yaml b/projects/TG-CHE200063.yaml
index b8e40faad..b300ef9de 100644
--- a/projects/TG-CHE200063.yaml
+++ b/projects/TG-CHE200063.yaml
@@ -1,5 +1,5 @@
-Description: "Unraveling Crystallization and Phase Transition Processes through
- Topology, Rare-event Simulation, and Machine Learning"
+Description: Unraveling Crystallization and Phase Transition Processes through Topology,
+ Rare-event Simulation, and Machine Learning
Department: Chemistry
FieldOfScience: Chemistry
Organization: University of North Dakota
@@ -8,3 +8,4 @@ ID: '701'
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.05'
diff --git a/projects/TG-CHE200122.yaml b/projects/TG-CHE200122.yaml
index 75e760dbb..934be3fcd 100644
--- a/projects/TG-CHE200122.yaml
+++ b/projects/TG-CHE200122.yaml
@@ -2,12 +2,41 @@
Description: >-
Development of machine learning models for molecular simulations
- The development of fast, accurate, and universal empirical potentials (EP) has been at the forefront of computational chemistry for many decades due to the high cost and bad scaling of accurate quantum mechanical (QM) methods and the low accuracy of more efficient classical force fields. The central goal of our project is bridging the speed and accuracy gap between these two approaches with machine-learning (ML) potentials. ML potentials have proven their ability to predict energies and other properties of molecules when trained on properly developed data sets. While these potentials are fast and accurate, the majority do not aim to become universal in their description of chemical interactions. This limits their use to only specific molecular systems or bulk materials. Our group developed probably the first universal ML atomistic potentials ANI-1x and ANI-2x for organic molecules containing CHNOSFCl atoms. Apart from other similar efforts in quantum chemistry and materials science, this neural network potential was shown to be transferable across different chemical environments, generalizing to the density-functional theory (DFT) level of accuracy on a large set of organic molecules while being six orders of magnitude faster.
+ The development of fast, accurate, and universal empirical potentials (EP) has been
+ at the forefront of computational chemistry for many decades due to the high cost
+ and bad scaling of accurate quantum mechanical (QM) methods and the low accuracy
+ of more efficient classical force fields. The central goal of our project is bridging
+ the speed and accuracy gap between these two approaches with machine-learning (ML)
+ potentials. ML potentials have proven their ability to predict energies and other
+ properties of molecules when trained on properly developed data sets. While these
+ potentials are fast and accurate, the majority do not aim to become universal in
+ their description of chemical interactions. This limits their use to only specific
+ molecular systems or bulk materials. Our group developed probably the first universal
+ ML atomistic potentials ANI-1x and ANI-2x for organic molecules containing CHNOSFCl
+ atoms. Apart from other similar efforts in quantum chemistry and materials science,
+ this neural network potential was shown to be transferable across different chemical
+ environments, generalizing to the density-functional theory (DFT) level of accuracy
+ on a large set of organic molecules while being six orders of magnitude faster.
+
- One of the main challenges with developing highly accurate and transferable ML potential is the construction of training and test datasets. We developed a fully automated approach for the generation of datasets with the intent of training universal ML potentials based on active learning (AL) techniques. AL reduces the training set size by up to 90% data required compared to naive random sampling techniques. Even with the AL technique employed, the dataset size required to train accurate and transferable ML potential is in the range of millions of conformers of small molecules (up to about 20 non-hydrogen atoms). We ended up with a dataset size of 5M molecular conformations for CHNO elements (ANI-1x), and an additional 5M data points to parametrize potential for SFCl elements (ANI-2x).
-
- Our goal in this project is to utilize a High-Throughput Computing (HTC) model to run a very large number of relatively small quantum-chemical calculations in order to build new datasets set for a subsequent training of neural network models. All calculations are orchestrated as a Manager-Worker application that distributes a massive number of tasks to workers using the Python RQ library. We plan to use a single Access Point provided by the HTCondor Software Suite (HTCSS) and operated by the Open Science Grid to host the Manager of the application and to deploy the workers across the XSEDE facilities and the OSPool.
+ One of the main challenges with developing highly accurate and transferable ML potential
+ is the construction of training and test datasets. We developed a fully automated
+ approach for the generation of datasets with the intent of training universal ML
+ potentials based on active learning (AL) techniques. AL reduces the training set
+ size by up to 90% data required compared to naive random sampling techniques. Even
+ with the AL technique employed, the dataset size required to train accurate and
+ transferable ML potential is in the range of millions of conformers of small molecules
+ (up to about 20 non-hydrogen atoms). We ended up with a dataset size of 5M molecular
+ conformations for CHNO elements (ANI-1x), and an additional 5M data points to parametrize
+ potential for SFCl elements (ANI-2x).
+ Our goal in this project is to utilize a High-Throughput Computing (HTC) model to
+ run a very large number of relatively small quantum-chemical calculations in order
+ to build new datasets set for a subsequent training of neural network models. All calculations are orchestrated as a Manager-Worker application that distributes a massive number
+ of tasks to workers using the Python RQ library. We plan to use a single Access
+ Point provided by the HTCondor Software Suite (HTCSS) and operated by the Open Science
+ Grid to host the Manager of the application and to deploy the workers across the
+ XSEDE facilities and the OSPool.
# Department is the department of the project, e.g. "Physics"
Department: Chemistry
# FieldOfScience is a more specific description, e.g. "High Energy Physics"
@@ -26,17 +55,18 @@ Sponsor:
Name: OSG-XSEDE
ResourceAllocations:
- - Type: XRAC
- SubmitResources:
- - CHTC-XD-SUBMIT
- - CHTC-ap40
- ExecuteResourceGroups:
- - GroupName: SDSC-Expanse
- LocalAllocationID: "cwr109"
- - Type: Other
- SubmitResources:
- - CHTC-XD-SUBMIT
- - CHTC-ap40
- ExecuteResourceGroups:
- - GroupName: TACC-Frontera
- LocalAllocationID: "CHE20009"
+- Type: XRAC
+ SubmitResources:
+ - CHTC-XD-SUBMIT
+ - CHTC-ap40
+ ExecuteResourceGroups:
+ - GroupName: SDSC-Expanse
+ LocalAllocationID: cwr109
+- Type: Other
+ SubmitResources:
+ - CHTC-XD-SUBMIT
+ - CHTC-ap40
+ ExecuteResourceGroups:
+ - GroupName: TACC-Frontera
+ LocalAllocationID: CHE20009
+FieldOfScienceID: '40.05'
diff --git a/projects/TG-CHE210056.yaml b/projects/TG-CHE210056.yaml
index 80f3482d9..2549be98b 100644
--- a/projects/TG-CHE210056.yaml
+++ b/projects/TG-CHE210056.yaml
@@ -1,5 +1,5 @@
-Description: Unraveling Crystallization and Phase Transition Processes
- through Topology, Rare-Event Simulations, and Machine Learning
+Description: Unraveling Crystallization and Phase Transition Processes through Topology,
+ Rare-Event Simulations, and Machine Learning
Department: Chemistry
FieldOfScience: Physical Chemistry
Organization: University of North Dakota
@@ -8,3 +8,4 @@ PIName: Jerome Delhommelle
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0506'
diff --git a/projects/TG-CHM210003.yaml b/projects/TG-CHM210003.yaml
index a3202bef3..b14c55282 100644
--- a/projects/TG-CHM210003.yaml
+++ b/projects/TG-CHM210003.yaml
@@ -1,10 +1,9 @@
-Description: This will allow for the determination of relative solubility
- of polymeric materials in alcohol solvents, similar to the shampoo and
- shaving cream materials. An understanding of the free energy of solvation
- and surface activity of polyethers and polysilicones will allow for the
- optimization of alcohol content in such mixtures to get the best bang
- for the buck in solubilizing and surface tension optimized alcohol-water
- mixtures with these polymers present.
+Description: This will allow for the determination of relative solubility of polymeric
+ materials in alcohol solvents, similar to the shampoo and shaving cream materials.
+ An understanding of the free energy of solvation and surface activity of polyethers
+ and polysilicones will allow for the optimization of alcohol content in such mixtures
+ to get the best bang for the buck in solubilizing and surface tension optimized
+ alcohol-water mixtures with these polymers present.
Department: Chemical Engineering
FieldOfScience: Chemical Engineering
Organization: University of Rochester
@@ -13,3 +12,4 @@ PIName: Guy Mongelli
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.07'
diff --git a/projects/TG-CIE160039.yaml b/projects/TG-CIE160039.yaml
index d57ab10dd..e400c5f5b 100644
--- a/projects/TG-CIE160039.yaml
+++ b/projects/TG-CIE160039.yaml
@@ -7,3 +7,4 @@ PIName: Franz Franchetti
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.2701'
diff --git a/projects/TG-CIE170004.yaml b/projects/TG-CIE170004.yaml
index ee740fffa..0569ab734 100644
--- a/projects/TG-CIE170004.yaml
+++ b/projects/TG-CIE170004.yaml
@@ -1,6 +1,6 @@
-Description: This allocation enables Globus help desk and tech support
- personnel to troubleshoot issues and provide technical support for
- the Globus endpoints operated by ACCESS resource providers.
+Description: This allocation enables Globus help desk and tech support personnel to
+ troubleshoot issues and provide technical support for the Globus endpoints operated
+ by ACCESS resource providers.
Department: Globus Staff
FieldOfScience: Applied Computer Science
Organization: University of Chicago
@@ -9,3 +9,4 @@ PIName: Lee Liming
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30.3001'
diff --git a/projects/TG-CIE170019.yaml b/projects/TG-CIE170019.yaml
index 1ac5cf29f..656c414d4 100644
--- a/projects/TG-CIE170019.yaml
+++ b/projects/TG-CIE170019.yaml
@@ -9,3 +9,4 @@ ID: '644'
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '11'
diff --git a/projects/TG-CIE170062.yaml b/projects/TG-CIE170062.yaml
index 86f8d67d6..d146911d7 100644
--- a/projects/TG-CIE170062.yaml
+++ b/projects/TG-CIE170062.yaml
@@ -1,20 +1,18 @@
-Description: This course will provide an overview of techniques in
- cluster computing, High Throughput Computing and High Performance
- computing. Students will start from the very basics of constructing a
- small two node cluster from first principles. Using this small cluster,
- students will learn a variety of topics about cluster configuration and
- management, files systems and how they affect workflows, constructing
- workflows, running applications locally and how to scale applications
- to larger systems. Initially the students will do most of their work on
- their two node clusters. We will then scale the workflows and run them
- using the University of Colorado High Energy Physics cluster; an OSG
- opportunistic resource provider (UColorado_HEP) and finally I would like
- to give the students the experience if running on very large systems. I
- do not envision the students needing high priority nor consuming large
- amounts of resources. I am much more interested in being able to provide
- the experience of "what is possible". The class will consist of between
- 30 and 40 students. Funding for this class comes from the United States
- State Department through the Fulbright Scholar Program.
+Description: This course will provide an overview of techniques in cluster computing,
+ High Throughput Computing and High Performance computing. Students will start from
+ the very basics of constructing a small two node cluster from first principles.
+ Using this small cluster, students will learn a variety of topics about cluster
+ configuration and management, files systems and how they affect workflows, constructing
+ workflows, running applications locally and how to scale applications to larger
+ systems. Initially the students will do most of their work on their two node clusters.
+ We will then scale the workflows and run them using the University of Colorado High
+ Energy Physics cluster; an OSG opportunistic resource provider (UColorado_HEP) and
+ finally I would like to give the students the experience if running on very large
+ systems. I do not envision the students needing high priority nor consuming large
+ amounts of resources. I am much more interested in being able to provide the experience
+ of "what is possible". The class will consist of between 30 and 40 students. Funding
+ for this class comes from the United States State Department through the Fulbright
+ Scholar Program.
Department: Physics
FieldOfScience: Computer and Information Science and Engineering
Organization: University of Colorado Boulder
@@ -26,3 +24,4 @@ Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '11'
diff --git a/projects/TG-CIS210126.yaml b/projects/TG-CIS210126.yaml
index cc9c50584..a4905e92e 100644
--- a/projects/TG-CIS210126.yaml
+++ b/projects/TG-CIS210126.yaml
@@ -1,4 +1,6 @@
-Description: Statistical analysis on keys generated by a lattice based cryptography algorithm for post-quantum cryptography to determine patterns in the types of errors produced in the keys.
+Description: Statistical analysis on keys generated by a lattice based cryptography
+ algorithm for post-quantum cryptography to determine patterns in the types of errors
+ produced in the keys.
Department: Computer Science & Computer Engineering
FieldOfScience: Computer Science
Organization: University of Arkansas
@@ -7,3 +9,4 @@ PIName: Alexander Nelson
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/TG-DBS170012.yaml b/projects/TG-DBS170012.yaml
index a0d6471bc..a0fa18575 100644
--- a/projects/TG-DBS170012.yaml
+++ b/projects/TG-DBS170012.yaml
@@ -1,5 +1,5 @@
Description: Europa Lander Orbital Tours
-Department:
+Department:
FieldOfScience: Advanced Scientific Computing
Organization: Johns Hopkins University Applied Physics Lab
PIName: James Howard
@@ -10,3 +10,4 @@ Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '11'
diff --git a/projects/TG-DDM160003.yaml b/projects/TG-DDM160003.yaml
index 60499709a..2d3c5b8ff 100644
--- a/projects/TG-DDM160003.yaml
+++ b/projects/TG-DDM160003.yaml
@@ -1,4 +1,4 @@
-Description: "OSG SP - Allocation for Service Provider testing and integration"
+Description: OSG SP - Allocation for Service Provider testing and integration
Department: Information Sciences Institute
FieldOfScience: Computer and Computation Research
Organization: University of Southern California
@@ -7,3 +7,4 @@ ID: '774'
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: 11.0701b
diff --git a/projects/TG-DEB140008.yaml b/projects/TG-DEB140008.yaml
index b336ebba8..a63c00b15 100644
--- a/projects/TG-DEB140008.yaml
+++ b/projects/TG-DEB140008.yaml
@@ -24,3 +24,4 @@ PIName: Robert Toonen
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '26'
diff --git a/projects/TG-DMR130036.yaml b/projects/TG-DMR130036.yaml
index b7738afa0..139e13028 100644
--- a/projects/TG-DMR130036.yaml
+++ b/projects/TG-DMR130036.yaml
@@ -14,3 +14,4 @@ PIName: Emanuel Gull
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.1001'
diff --git a/projects/TG-DMR140072.yaml b/projects/TG-DMR140072.yaml
index 7d76371fd..840276acd 100644
--- a/projects/TG-DMR140072.yaml
+++ b/projects/TG-DMR140072.yaml
@@ -27,3 +27,4 @@ PIName: Adrian Del Maestro
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.1001'
diff --git a/projects/TG-DMR160157.yaml b/projects/TG-DMR160157.yaml
index 9f3f62b30..bf02dafd1 100644
--- a/projects/TG-DMR160157.yaml
+++ b/projects/TG-DMR160157.yaml
@@ -10,3 +10,4 @@ Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.0808'
diff --git a/projects/TG-DMR180127.yaml b/projects/TG-DMR180127.yaml
index 39200ebb6..199f71a07 100644
--- a/projects/TG-DMR180127.yaml
+++ b/projects/TG-DMR180127.yaml
@@ -10,3 +10,4 @@ Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '14'
diff --git a/projects/TG-DMR190045.yaml b/projects/TG-DMR190045.yaml
index 118f83259..60fe3f258 100644
--- a/projects/TG-DMR190045.yaml
+++ b/projects/TG-DMR190045.yaml
@@ -1,4 +1,5 @@
-Description: "1D nanoconfined helium: A versatile platform for exploring Luttinger liquid physics"
+Description: '1D nanoconfined helium: A versatile platform for exploring Luttinger
+ liquid physics'
Department: Physics
FieldOfScience: Condensed Matter Physics
Organization: University of Vermont
@@ -10,3 +11,4 @@ Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.0808'
diff --git a/projects/TG-DMR190101.yaml b/projects/TG-DMR190101.yaml
index 5eb5c29f2..fb1f79340 100644
--- a/projects/TG-DMR190101.yaml
+++ b/projects/TG-DMR190101.yaml
@@ -1,5 +1,5 @@
-Description: "1D Nanoconfined Helium: A Versatile Platform for Exploring
- Luttinger Liquid Physics"
+Description: '1D Nanoconfined Helium: A Versatile Platform for Exploring Luttinger
+ Liquid Physics'
Department: Physics
FieldOfScience: Condensed Matter Physics
Organization: University of Vermont
@@ -8,3 +8,4 @@ ID: '672'
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.0808'
diff --git a/projects/TG-DMS120024.yaml b/projects/TG-DMS120024.yaml
index 61c55b37b..40faaaeea 100644
--- a/projects/TG-DMS120024.yaml
+++ b/projects/TG-DMS120024.yaml
@@ -8,3 +8,4 @@ PIName: Benjamin Ong
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '27'
diff --git a/projects/TG-DMS150022.yaml b/projects/TG-DMS150022.yaml
index 46dfae5a7..f12ac8d2f 100644
--- a/projects/TG-DMS150022.yaml
+++ b/projects/TG-DMS150022.yaml
@@ -19,3 +19,4 @@ PIName: Shahriar Afkhami
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '27'
diff --git a/projects/TG-DMS180031.yaml b/projects/TG-DMS180031.yaml
index bfad878ae..472c6cfd2 100644
--- a/projects/TG-DMS180031.yaml
+++ b/projects/TG-DMS180031.yaml
@@ -10,3 +10,4 @@ Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '27.03'
diff --git a/projects/TG-DMS190036.yaml b/projects/TG-DMS190036.yaml
index cbc9692af..3e597a6a2 100644
--- a/projects/TG-DMS190036.yaml
+++ b/projects/TG-DMS190036.yaml
@@ -8,3 +8,4 @@ Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '27.0502'
diff --git a/projects/TG-GEO150003.yaml b/projects/TG-GEO150003.yaml
index a1edee18d..fb0116782 100644
--- a/projects/TG-GEO150003.yaml
+++ b/projects/TG-GEO150003.yaml
@@ -10,3 +10,4 @@ PIName: Jon Pelletier
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '45.0702'
diff --git a/projects/TG-IBN130001.yaml b/projects/TG-IBN130001.yaml
index 9ad09612a..5d7e6298c 100644
--- a/projects/TG-IBN130001.yaml
+++ b/projects/TG-IBN130001.yaml
@@ -20,3 +20,4 @@ PIName: Donald Krieger
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '26'
diff --git a/projects/TG-IRI130016.yaml b/projects/TG-IRI130016.yaml
index 6af0d232c..5761bbb1b 100644
--- a/projects/TG-IRI130016.yaml
+++ b/projects/TG-IRI130016.yaml
@@ -11,3 +11,4 @@ PIName: Joseph Cohen
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '11'
diff --git a/projects/TG-IRI160006.yaml b/projects/TG-IRI160006.yaml
index dca45f8c0..de6a1f81f 100644
--- a/projects/TG-IRI160006.yaml
+++ b/projects/TG-IRI160006.yaml
@@ -11,3 +11,4 @@ PIName: Victor Hazlewood
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '11'
diff --git a/projects/TG-IRI160007.yaml b/projects/TG-IRI160007.yaml
index 51f78e233..d632dc525 100644
--- a/projects/TG-IRI160007.yaml
+++ b/projects/TG-IRI160007.yaml
@@ -1,8 +1,7 @@
-Description: The mission of the XSEDE Cyberinfrastructure Integration
- (XCI) team is to facilitate interaction, sharing and compatibility
- of all relevant software and related services across the national
- CI community building on and improving on the foundational efforts
- of XSEDE. We need access to XSEDE resources for periodic testing
+Description: The mission of the XSEDE Cyberinfrastructure Integration (XCI) team is
+ to facilitate interaction, sharing and compatibility of all relevant software and
+ related services across the national CI community building on and improving on the
+ foundational efforts of XSEDE. We need access to XSEDE resources for periodic testing
of new software releases.
Department: Center for Advanced Computing
FieldOfScience: Applied Computer Science
@@ -12,3 +11,4 @@ PIName: Richard Knepper
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30.3001'
diff --git a/projects/TG-MAT200005.yaml b/projects/TG-MAT200005.yaml
index 6b7e53fe5..836232cd0 100644
--- a/projects/TG-MAT200005.yaml
+++ b/projects/TG-MAT200005.yaml
@@ -1,4 +1,4 @@
-Description: "Computer simulations of polymer grafted gold nanopores"
+Description: Computer simulations of polymer grafted gold nanopores
Department: Institute of Materials Science
FieldOfScience: Materials Engineering
Organization: University of Connecticut
@@ -7,3 +7,4 @@ ID: '737'
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '14.1801'
diff --git a/projects/TG-MCB060061N.yaml b/projects/TG-MCB060061N.yaml
index 493380ade..1cb03fa83 100644
--- a/projects/TG-MCB060061N.yaml
+++ b/projects/TG-MCB060061N.yaml
@@ -15,3 +15,4 @@ PIName: Jeffry D. Madura
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '26'
diff --git a/projects/TG-MCB090163.yaml b/projects/TG-MCB090163.yaml
index dc9981b70..dde2b92c9 100644
--- a/projects/TG-MCB090163.yaml
+++ b/projects/TG-MCB090163.yaml
@@ -23,3 +23,4 @@ PIName: Michael Hagan
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '26'
diff --git a/projects/TG-MCB090174.yaml b/projects/TG-MCB090174.yaml
index 2de590f56..adde3ec07 100644
--- a/projects/TG-MCB090174.yaml
+++ b/projects/TG-MCB090174.yaml
@@ -21,3 +21,4 @@ PIName: Shantenu Jha
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '26'
diff --git a/projects/TG-MCB100109.yaml b/projects/TG-MCB100109.yaml
index 5eab6da5c..c2e04b49a 100644
--- a/projects/TG-MCB100109.yaml
+++ b/projects/TG-MCB100109.yaml
@@ -21,3 +21,4 @@ PIName: Lillian Chong
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '26'
diff --git a/projects/TG-MCB130072.yaml b/projects/TG-MCB130072.yaml
index 990b9ce63..4a73dc255 100644
--- a/projects/TG-MCB130072.yaml
+++ b/projects/TG-MCB130072.yaml
@@ -8,3 +8,4 @@ PIName: Benjamin Ong
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '27'
diff --git a/projects/TG-MCB130135.yaml b/projects/TG-MCB130135.yaml
index 53fbbb185..4d3015e49 100644
--- a/projects/TG-MCB130135.yaml
+++ b/projects/TG-MCB130135.yaml
@@ -7,3 +7,4 @@ PIName: Ashok Mudgapalli
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '27'
diff --git a/projects/TG-MCB140088.yaml b/projects/TG-MCB140088.yaml
index 038e4f003..e08e95e3d 100644
--- a/projects/TG-MCB140088.yaml
+++ b/projects/TG-MCB140088.yaml
@@ -1,26 +1,25 @@
Department: BCMP / SBGrid
-Description: "The molecules of life are large, complex machines that drive the operations\
- \ of the cell. Modeling the atomic structure and underlying dynamics of these molecules\
- \ is critical for understanding disease and developing therapeutics. Recent advances\
- \ in experimental instrumentation and scientific software have have made high resolution\
- \ biological structures more accessible than ever, but large data volumes and complex\
- \ calculation often require extensive computation. Cryo-electron microscopy (Cryo-EM),\
- \ for example, can now reveal structures from heterogeneous biological samples to\
- \ atomic resolution - better than 3 angstroms. These structures require terabytes\
- \ of experimental data and upwards of 20,000 hours of compute time for accurate\
- \ determinations to be made. X-ray crystallography, the workhorse of structural\
- \ biology, can now combine complex computational modeling algorithms like Rosetta\
- \ with experimental data to arrive at a complete structure determination, which\
- \ may require more than 1000 hours of compute time. Drug discovery efforts have\
- \ embraced computational \u201Cvirtual screening\u2019 to filter the most likely\
- \ targets from vast drug fragment libraries by combining computational chemistry\
- \ and experimentally-determined molecular structures. In these screens, the only\
- \ limit to the number of drug candidates screened is computational time. Finally,\
- \ molecular dynamics simulations give insight into the motions biological molecules\
- \ adopt as they perform their jobs, but also require high-performance computing\
- \ resources for meaningful results. As a Campus Champion at Harvard Medical School\
- \ and SBGrid, I support the research computing needs of a diverse structural biology\
- \ community and XSEDE is an essential resource in driving this critical research."
+Description: The molecules of life are large, complex machines that drive the operations
+ of the cell. Modeling the atomic structure and underlying dynamics of these molecules
+ is critical for understanding disease and developing therapeutics. Recent advances
+ in experimental instrumentation and scientific software have have made high resolution
+ biological structures more accessible than ever, but large data volumes and complex
+ calculation often require extensive computation. Cryo-electron microscopy (Cryo-EM),
+ for example, can now reveal structures from heterogeneous biological samples to
+ atomic resolution - better than 3 angstroms. These structures require terabytes
+ of experimental data and upwards of 20,000 hours of compute time for accurate determinations
+ to be made. X-ray crystallography, the workhorse of structural biology, can now
+ combine complex computational modeling algorithms like Rosetta with experimental
+ data to arrive at a complete structure determination, which may require more than
+ 1000 hours of compute time. Drug discovery efforts have embraced computational “virtual
+ screening’ to filter the most likely targets from vast drug fragment libraries by
+ combining computational chemistry and experimentally-determined molecular structures.
+ In these screens, the only limit to the number of drug candidates screened is computational
+ time. Finally, molecular dynamics simulations give insight into the motions biological
+ molecules adopt as they perform their jobs, but also require high-performance computing
+ resources for meaningful results. As a Campus Champion at Harvard Medical School
+ and SBGrid, I support the research computing needs of a diverse structural biology
+ community and XSEDE is an essential resource in driving this critical research.
FieldOfScience: Molecular and Structural Biosciences
ID: '327'
Organization: Harvard Medical School
@@ -28,3 +27,4 @@ PIName: Jason Key
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '26'
diff --git a/projects/TG-MCB140160.yaml b/projects/TG-MCB140160.yaml
index 14737e559..de07f5e47 100644
--- a/projects/TG-MCB140160.yaml
+++ b/projects/TG-MCB140160.yaml
@@ -1,40 +1,39 @@
Department: Genetics
-Description: "Description: RNA aptamers are small oligonucleotide molecules (~100\
- \ nucleotides) whose composition and resulting folded structure enable them to bind\
- \ with high affinity and high selectivity to specific target ligands and therefore\
- \ hold great promise as potential therapeutic drugs. The first aptamer to receive\
- \ FDA approval was pegaptanib (Macugen), which is a treatment for wet age-related\
- \ macular degeneration, a degenerative disease of the macula of the eye that leads\
- \ to the loss of central vision. The pegaptanib aptamer acts by binding to and inhibiting\
- \ the action of an isoform of vascular endothelial growth factor (VEGF), arresting\
- \ degeneration. Functional aptamers are selected from a large, randomized initial\
- \ library in a process known as SELEX (systematic evolution of ligands by exponential\
- \ enrichment). This is an iterative process involving numerous rounds of binding,\
- \ elution, and amplification against a specific target substrate. During each iteration\
- \ - or round of selection - we enrich for the species with the highest binding affinity\
- \ to the target. After multiple rounds, we ideally have an enriched aptamer library\
- \ suitable for subsequent investigation. Modern techniques employ massively parallel\
- \ sequencing, enabling the generation of large libraries (~10^{6} sequences) in\
- \ a matter of hours for each round of selection. As RNA is single-stranded, the\
- \ covariance model (CM) approach (Eddy, SR, Durbin, R (1994). RNA sequence analysis\
- \ using covariance models. Nucleic Acids Res., 22, 11:2079-88) are ideal for representing\
- \ motifs in their secondary structures, allowing us to discover patterns within\
- \ functional aptamer populations following each round. CMs have been implemented\
- \ in 'Infernal' (http://infernal.janelia.org) a program that infers RNA alignments\
- \ based on RNA sequence and structure. Calibrating a single CM in Infernal however\
- \ can take several hours and is a significant performance bottleneck for our work.\
- \ However, as each CM calculation is itself independently determined and requires\
- \ defined pr!\n ocessing\n and memory resources, their computation in parallel using\
- \ the Open Science Grid offers a potential solution to this problem. Using part\
- \ of a Campus Champion award to our institution, we have prototyped such a solution\
- \ by making use of the Simple API for Grid Applications (SAGA) to interface with\
- \ OSG and manage job submissions and file transfers. When run in parallel, our results\
- \ showed a significant speed up, constrained by typical latencies and QoS associated\
- \ with nominal OSG usage. This prior study demonstrated the feasibility of using\
- \ SAGA and the OSG to support the parallelization of CM analysis of such large scale\
- \ sequence based aptamer libraries, and forms the basis of this startup allocation\
- \ request to further constrain workflow productivity and support the PhD research\
- \ of Mr. Kevin Shieh."
+Description: "Description: RNA aptamers are small oligonucleotide molecules (~100
+ nucleotides) whose composition and resulting folded structure enable them to bind
+ with high affinity and high selectivity to specific target ligands and therefore
+ hold great promise as potential therapeutic drugs. The first aptamer to receive
+ FDA approval was pegaptanib (Macugen), which is a treatment for wet age-related
+ macular degeneration, a degenerative disease of the macula of the eye that leads
+ to the loss of central vision. The pegaptanib aptamer acts by binding to and inhibiting
+ the action of an isoform of vascular endothelial growth factor (VEGF), arresting
+ degeneration. Functional aptamers are selected from a large, randomized initial
+ library in a process known as SELEX (systematic evolution of ligands by exponential
+ enrichment). This is an iterative process involving numerous rounds of binding,
+ elution, and amplification against a specific target substrate. During each iteration
+ - or round of selection - we enrich for the species with the highest binding affinity
+ to the target. After multiple rounds, we ideally have an enriched aptamer library
+ suitable for subsequent investigation. Modern techniques employ massively parallel
+ sequencing, enabling the generation of large libraries (~10^{6} sequences) in a
+ matter of hours for each round of selection. As RNA is single-stranded, the covariance
+ model (CM) approach (Eddy, SR, Durbin, R (1994). RNA sequence analysis using covariance
+ models. Nucleic Acids Res., 22, 11:2079-88) are ideal for representing motifs in
+ their secondary structures, allowing us to discover patterns within functional aptamer
+ populations following each round. CMs have been implemented in 'Infernal' (http://infernal.janelia.org)\
+ \ a program that infers RNA alignments based on RNA sequence and structure. Calibrating
+ a single CM in Infernal however can take several hours and is a significant performance
+ bottleneck for our work. However, as each CM calculation is itself independently
+ determined and requires defined pr!\n ocessing\n and memory resources, their computation
+ in parallel using the Open Science Grid offers a potential solution to this problem.
+ Using part of a Campus Champion award to our institution, we have prototyped such
+ a solution by making use of the Simple API for Grid Applications (SAGA) to interface
+ with OSG and manage job submissions and file transfers. When run in parallel, our
+ results showed a significant speed up, constrained by typical latencies and QoS
+ associated with nominal OSG usage. This prior study demonstrated the feasibility
+ of using SAGA and the OSG to support the parallelization of CM analysis of such
+ large scale sequence based aptamer libraries, and forms the basis of this startup
+ allocation request to further constrain workflow productivity and support the PhD
+ research of Mr. Kevin Shieh."
FieldOfScience: Molecular and Structural Biosciences
ID: '84'
Organization: Albert Einstein College of Medicine
@@ -42,3 +41,4 @@ PIName: David Rhee
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '26'
diff --git a/projects/TG-MCB140211.yaml b/projects/TG-MCB140211.yaml
index bc25bc7c5..10ad276fe 100644
--- a/projects/TG-MCB140211.yaml
+++ b/projects/TG-MCB140211.yaml
@@ -23,3 +23,4 @@ PIName: Hong Qin
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '26'
diff --git a/projects/TG-MCB140232.yaml b/projects/TG-MCB140232.yaml
index d53a167b8..89ce1edd5 100644
--- a/projects/TG-MCB140232.yaml
+++ b/projects/TG-MCB140232.yaml
@@ -21,3 +21,4 @@ PIName: Alan Chen
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '26'
diff --git a/projects/TG-MCB140268.yaml b/projects/TG-MCB140268.yaml
index 60ad96fc6..419f7c2b4 100644
--- a/projects/TG-MCB140268.yaml
+++ b/projects/TG-MCB140268.yaml
@@ -1,42 +1,40 @@
Department: Physics and Astronomy
-Description: "The genome of many viruses is represented by a long single-stranded\
- \ ribonucleic acid (RNA) molecule that appears to fold into a highly compact organized\
- \ structure inside the viral shell. Such structure contains a variety of topological\
- \ motifs, such as hairpins, bulges, multi-loops, and notably RNA pseudoknots. RNA\
- \ pseudoknots play an important role also in natural RNAs for structural, regulatory\
- \ and catalytic functions in various biological processes. In particular, it has\
- \ been recently recognized an interesting interplay between the shape, structure\
- \ and assembly of icosahedral viral capsids, and the compact RNA packaging topology.\
- \ The topology of RNA pseudoknots can be effectively studied by using Random Matrix\
- \ Theory (RMT), by exploiting a correspondence between a graphical representation\
- \ of RNA structures with pseudoknots and Feynman diagrams of a particular field\
- \ theory of large random matrices. The theoretical framework of RMT provides a natural\
- \ analytic tool for the prediction and classification of pseudoknots, since all\
- \ Feynman diagrams can be organized in a mathematical series, called topological\
- \ expansion. The PI is interested in studying numerically some recent matrix models\
- \ based on RMT to describe the structure of viral RNA encapsidated in a viral icosahedral\
- \ shell. The PI has long experience in the application of RMT to the study of RNA\
- \ pseudoknots with RMT, as well as on the simulation of the geometry and shapes\
- \ of icosahedral shells. \nThe simulations the PI intends to perform on XSEDE are\
- \ Monte Carlo runs of large stochastic matrices, since the matrix model is naturally\
- \ formulated as zero-dimensional SU(N) field theory of Hermitian matrices. The\
- \ number of matrices L is equal to number of nucleotides of the RNA molecules, which\
- \ in viral RNAs can be of the order of L~10^3. Past preliminary studies showed\
- \ that the size N of the matrices should be sufficiently large to appreciate topological\
- \ corrections of the order 1/N^2 and 1/N^4 (at least), which implies the simulation\
- \ of Hermitian random matrices of order N~24 or N~32. Since the number of degrees\
- \ of freedom for each matrix is N^2~1024, the configuration space has L*N^2~ 10^6\
- \ degrees of freedom. While matrix multiplication can benefit of parallel computing\
- \ capabilities, the need of performing Monte Carlo simulations orients the PI to\
- \ request High Throughput Computing resources for this initial XSEDE Startup application.\
- \ Such initial experience will provide the PI a baseline to evaluate the possibility\
- \ to steer future versions of the code towards HPC capabilities, including GPU or\
- \ CPU-GPU clusters. Current local computational capabilities are sufficient for\
- \ developing the codes and running toy-model simulations (N~4), but do not satisfy\
- \ the PI\u2019s needs for research purposes of large realistic systems. Therefore,\
- \ XSEDE startup resources are requested to test larger systems, optimize the code\
- \ and explore code\u2019s scalability, as well as familiarize with the XSEDE platform.\n\
- (1 row)"
+Description: "The genome of many viruses is represented by a long single-stranded
+ ribonucleic acid (RNA) molecule that appears to fold into a highly compact organized
+ structure inside the viral shell. Such structure contains a variety of topological
+ motifs, such as hairpins, bulges, multi-loops, and notably RNA pseudoknots. RNA
+ pseudoknots play an important role also in natural RNAs for structural, regulatory
+ and catalytic functions in various biological processes. In particular, it has been
+ recently recognized an interesting interplay between the shape, structure and assembly
+ of icosahedral viral capsids, and the compact RNA packaging topology. The topology
+ of RNA pseudoknots can be effectively studied by using Random Matrix Theory (RMT),
+ by exploiting a correspondence between a graphical representation of RNA structures
+ with pseudoknots and Feynman diagrams of a particular field theory of large random
+ matrices. The theoretical framework of RMT provides a natural analytic tool for
+ the prediction and classification of pseudoknots, since all Feynman diagrams can
+ be organized in a mathematical series, called topological expansion. The PI is interested
+ in studying numerically some recent matrix models based on RMT to describe the structure
+ of viral RNA encapsidated in a viral icosahedral shell. The PI has long experience
+ in the application of RMT to the study of RNA pseudoknots with RMT, as well as on
+ the simulation of the geometry and shapes of icosahedral shells. \nThe simulations
+ the PI intends to perform on XSEDE are Monte Carlo runs of large stochastic matrices,
+ since the matrix model is naturally formulated as zero-dimensional SU(N) field theory\
+ \ of Hermitian matrices. The number of matrices L is equal to number of nucleotides
+ of the RNA molecules, which in viral RNAs can be of the order of L~10^3. Past preliminary
+ studies showed that the size N of the matrices should be sufficiently large to appreciate
+ topological corrections of the order 1/N^2 and 1/N^4 (at least), which implies the
+ simulation of Hermitian random matrices of order N~24 or N~32. Since the number
+ of degrees of freedom for each matrix is N^2~1024, the configuration space has L*N^2~
+ 10^6 degrees of freedom. While matrix multiplication can benefit of parallel computing
+ capabilities, the need of performing Monte Carlo simulations orients the PI to request
+ High Throughput Computing resources for this initial XSEDE Startup application.
+ Such initial experience will provide the PI a baseline to evaluate the possibility
+ to steer future versions of the code towards HPC capabilities, including GPU or
+ CPU-GPU clusters. Current local computational capabilities are sufficient for developing
+ the codes and running toy-model simulations (N~4), but do not satisfy the PI’s needs
+ for research purposes of large realistic systems. Therefore, XSEDE startup resources
+ are requested to test larger systems, optimize the code and explore code’s scalability,
+ as well as familiarize with the XSEDE platform.\n(1 row)"
FieldOfScience: Molecular and Structural Biosciences
ID: '162'
Organization: Siena College
@@ -44,3 +42,4 @@ PIName: Graziano Vernizzi
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '26'
diff --git a/projects/TG-MCB150001.yaml b/projects/TG-MCB150001.yaml
index 998501767..72d9b8121 100644
--- a/projects/TG-MCB150001.yaml
+++ b/projects/TG-MCB150001.yaml
@@ -10,3 +10,4 @@ Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.05'
diff --git a/projects/TG-MCB150090.yaml b/projects/TG-MCB150090.yaml
index 0f7d16e21..2e8b64fed 100644
--- a/projects/TG-MCB150090.yaml
+++ b/projects/TG-MCB150090.yaml
@@ -19,3 +19,4 @@ PIName: Emiliano Brini
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '26'
diff --git a/projects/TG-MCB160020.yaml b/projects/TG-MCB160020.yaml
index a403af31e..63e1c8e25 100644
--- a/projects/TG-MCB160020.yaml
+++ b/projects/TG-MCB160020.yaml
@@ -1,6 +1,6 @@
-Description: Hands on Training on Robust Molecular Simulations Introduces
- students to the exciting areas in Computational Biophysics, drug design,
- bioinformatics and potentially other computing intensive fields
+Description: Hands on Training on Robust Molecular Simulations Introduces students
+ to the exciting areas in Computational Biophysics, drug design, bioinformatics and
+ potentially other computing intensive fields
Department: Neurology
FieldOfScience: Biological and Biomedical Sciences
Organization: Icahn School of Medicine at Mount Sinai
@@ -9,3 +9,4 @@ PIName: Rejwan Ali
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/TG-MCB160027.yaml b/projects/TG-MCB160027.yaml
index 187681eea..d899c8c52 100644
--- a/projects/TG-MCB160027.yaml
+++ b/projects/TG-MCB160027.yaml
@@ -26,3 +26,4 @@ PIName: Yang Zhang
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '26'
diff --git a/projects/TG-MCB160069.yaml b/projects/TG-MCB160069.yaml
index 92d3a1eef..c919ede63 100644
--- a/projects/TG-MCB160069.yaml
+++ b/projects/TG-MCB160069.yaml
@@ -1,12 +1,12 @@
Department: Chemistry
-Description: "Experiments have shown that co-translational phe\nnomena can strongly\
- \ influence protein function. A mechanistic understanding of co-translational phenomena\
- \ such as nascent chain tension and protein misfolding can be gained with molecu\n\
- lar dynamics simulations using multi-scale models of ribosome-nascent chain complexes\
- \ (RNCs). Using atomistic and coarse-grained models of RNCs, we will measure the\
- \ magnitude of the mec\nhanical force generated by co-translational folding, determine\
- \ the effects of folding domain size and stability on this force, and investigate\
- \ how codon translation rates can alter the \nprobability of folding and misfolding."
+Description: "Experiments have shown that co-translational phe\nnomena can strongly
+ influence protein function. A mechanistic understanding of co-translational phenomena
+ such as nascent chain tension and protein misfolding can be gained with molecu\n
+ lar dynamics simulations using multi-scale models of ribosome-nascent chain complexes
+ (RNCs). Using atomistic and coarse-grained models of RNCs, we will measure the magnitude
+ of the mec\nhanical force generated by co-translational folding, determine the effects
+ of folding domain size and stability on this force, and investigate how codon translation
+ rates can alter the \nprobability of folding and misfolding."
FieldOfScience: Molecular and Structural Biosciences
ID: '379'
Organization: Pennsylvania State University
@@ -14,3 +14,4 @@ PIName: Edward O'Brien
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '26'
diff --git a/projects/TG-MCB160192.yaml b/projects/TG-MCB160192.yaml
index f75ef3c84..5d6fb3b6c 100644
--- a/projects/TG-MCB160192.yaml
+++ b/projects/TG-MCB160192.yaml
@@ -1,27 +1,26 @@
Department: Bioengineering and Therapeutics
-Description: "Proteins custom-designed for specific molecular function have great\
- \ promise to advance many areas of science and industry. High throughput methods\
- \ \u2013 in particular, effective computational modeling of structure and function\
- \ \u2013 are necessary to identify proteins with novel functions out of the vast\
- \ number of candidate protein sequences. Nevertheless, state-of-the-art methods\
- \ have only limited accuracy in predicting the functional impact of even a few mutations.\n\
- \nTo improve models for functional proteins, we are developing methods within the\
- \ Rosetta computational protein design software suite that represent subtle structural\
- \ fluctuations using flexible-backbone ensembles and integrate multiple functional\
- \ constraints on proteins (i.e. catalytic conformations or binding partners). Promising\
- \ initial results demonstrated improvement over standard fixed-backbone approaches\
- \ in initial tests against large curated mutational datasets for experimentally\
- \ determined binding affinities and high-throughput screening of protein-protein\
- \ interactions. \n\nOur approach of using discrete ensembles to model flexible and\
- \ dynamic systems is well suited to the distributed nature of high performance computing\
- \ clusters. Our goal of predicting the functional effect of defined sequences is\
- \ likewise well suited. In particular, the Open Science Grid will be very useful\
- \ for our high-processing, low-memory requirements. The purpose of this Startup\
- \ request is two-fold: benchmarking and optimizing computational methodologies to\
- \ model functional proteins. First, we will streamline our methodology for XSEDE\
- \ in preparation for a Research allocation application. Second, additional computing\
- \ resources from XSEDE will greatly expand our ability develop methodology beyond\
- \ the limitations of benchmarking on the computational resources at our home institution."
+Description: "Proteins custom-designed for specific molecular function have great
+ promise to advance many areas of science and industry. High throughput methods –
+ in particular, effective computational modeling of structure and function – are
+ necessary to identify proteins with novel functions out of the vast number of candidate
+ protein sequences. Nevertheless, state-of-the-art methods have only limited accuracy
+ in predicting the functional impact of even a few mutations.\n\nTo improve models
+ for functional proteins, we are developing methods within the Rosetta computational
+ protein design software suite that represent subtle structural fluctuations using
+ flexible-backbone ensembles and integrate multiple functional constraints on proteins
+ (i.e. catalytic conformations or binding partners). Promising initial results demonstrated
+ improvement over standard fixed-backbone approaches in initial tests against large
+ curated mutational datasets for experimentally determined binding affinities and
+ high-throughput screening of protein-protein interactions. \n\nOur approach of using
+ discrete ensembles to model flexible and dynamic systems is well suited to the distributed
+ nature of high performance computing clusters. Our goal of predicting the functional
+ effect of defined sequences is likewise well suited. In particular, the Open Science
+ Grid will be very useful for our high-processing, low-memory requirements. The purpose
+ of this Startup request is two-fold: benchmarking and optimizing computational methodologies
+ to model functional proteins. First, we will streamline our methodology for XSEDE
+ in preparation for a Research allocation application. Second, additional computing
+ resources from XSEDE will greatly expand our ability develop methodology beyond
+ the limitations of benchmarking on the computational resources at our home institution."
FieldOfScience: Molecular and Structural Biosciences
ID: '387'
Organization: University of California, San Francisco
@@ -29,3 +28,4 @@ PIName: Samuel Thompson
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '26'
diff --git a/projects/TG-MCB170126.yaml b/projects/TG-MCB170126.yaml
index a7a059536..cbaeda952 100644
--- a/projects/TG-MCB170126.yaml
+++ b/projects/TG-MCB170126.yaml
@@ -10,3 +10,4 @@ Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '26.08'
diff --git a/projects/TG-MCB190026.yaml b/projects/TG-MCB190026.yaml
index 2ff23b4cb..ece2302d1 100644
--- a/projects/TG-MCB190026.yaml
+++ b/projects/TG-MCB190026.yaml
@@ -10,3 +10,4 @@ Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '26.02'
diff --git a/projects/TG-MCB190187.yaml b/projects/TG-MCB190187.yaml
index e811e0b9a..2db7cac5c 100644
--- a/projects/TG-MCB190187.yaml
+++ b/projects/TG-MCB190187.yaml
@@ -1,5 +1,5 @@
-Description: Eco-Evolutionary Feedback and Dynamics in the Long-Term E. coli
- Evolution Experiment
+Description: Eco-Evolutionary Feedback and Dynamics in the Long-Term E. coli Evolution
+ Experiment
Department: Bioengineering
FieldOfScience: Genetics and Nucleic Acids
Organization: University of California, Berkeley
@@ -9,3 +9,4 @@ Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '26.08'
diff --git a/projects/TG-MCH210037.yaml b/projects/TG-MCH210037.yaml
index 27b837b6f..32b49dd3c 100644
--- a/projects/TG-MCH210037.yaml
+++ b/projects/TG-MCH210037.yaml
@@ -1,5 +1,5 @@
-Description: Engineering the electro-mechanical properties of
- Twisted Bilayer Graphene with strained capping layers
+Description: Engineering the electro-mechanical properties of Twisted Bilayer Graphene
+ with strained capping layers
Department: Mechanical Engineering
FieldOfScience: Mechanical Engineering
Organization: University of Rochester
@@ -8,3 +8,4 @@ PIName: Hesam Askari
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.1901'
diff --git a/projects/TG-OCE130029.yaml b/projects/TG-OCE130029.yaml
index 6f9866a2c..57a03fb07 100644
--- a/projects/TG-OCE130029.yaml
+++ b/projects/TG-OCE130029.yaml
@@ -26,3 +26,4 @@ PIName: Yvonne Chan
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.06'
diff --git a/projects/TG-OCE140013.yaml b/projects/TG-OCE140013.yaml
index 588542388..f94ae6fc1 100644
--- a/projects/TG-OCE140013.yaml
+++ b/projects/TG-OCE140013.yaml
@@ -26,3 +26,4 @@ PIName: Yvonne Chan
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.06'
diff --git a/projects/TG-PHY110015.yaml b/projects/TG-PHY110015.yaml
index 4a5587ac7..52a318ad1 100644
--- a/projects/TG-PHY110015.yaml
+++ b/projects/TG-PHY110015.yaml
@@ -18,3 +18,4 @@ PIName: Pran Nath
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.1101'
diff --git a/projects/TG-PHY120014.yaml b/projects/TG-PHY120014.yaml
index 5f1dbd111..8f8b07585 100644
--- a/projects/TG-PHY120014.yaml
+++ b/projects/TG-PHY120014.yaml
@@ -25,3 +25,4 @@ PIName: Qaisar Shafi
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.1101'
diff --git a/projects/TG-PHY130048.yaml b/projects/TG-PHY130048.yaml
index 5741386d5..9c88bad7e 100644
--- a/projects/TG-PHY130048.yaml
+++ b/projects/TG-PHY130048.yaml
@@ -1,5 +1,5 @@
Description: Campus Champion Renewal
-Department:
+Department:
FieldOfScience: Advanced Scientific Computing
Organization: University of Notre Dame
PIName: Dodi Heryadi
@@ -10,3 +10,4 @@ Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '11'
diff --git a/projects/TG-PHY140048.yaml b/projects/TG-PHY140048.yaml
index 130a8b4cb..00ff1162f 100644
--- a/projects/TG-PHY140048.yaml
+++ b/projects/TG-PHY140048.yaml
@@ -1,5 +1,5 @@
-Description: "Campus Champion Allocation -- APSU"
-Department: Physics, Engineering & Astronomy
+Description: Campus Champion Allocation -- APSU
+Department: Physics, Engineering & Astronomy
FieldOfScience: Science and Engineering Education
Organization: Austin Peay State University
PIName: Justin Oelgoetz
@@ -7,3 +7,4 @@ ID: '750'
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '13'
diff --git a/projects/TG-PHY150040.yaml b/projects/TG-PHY150040.yaml
index 59dc09b73..216140dd8 100644
--- a/projects/TG-PHY150040.yaml
+++ b/projects/TG-PHY150040.yaml
@@ -20,3 +20,4 @@ PIName: Francis Halzen
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.1101'
diff --git a/projects/TG-PHY160001.yaml b/projects/TG-PHY160001.yaml
index 4edcb8015..be3d2bb80 100644
--- a/projects/TG-PHY160001.yaml
+++ b/projects/TG-PHY160001.yaml
@@ -21,3 +21,4 @@ PIName: Terrance Figy
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.08'
diff --git a/projects/TG-PHY160031.yaml b/projects/TG-PHY160031.yaml
index 56d91f1a7..2a3f304fa 100644
--- a/projects/TG-PHY160031.yaml
+++ b/projects/TG-PHY160031.yaml
@@ -13,3 +13,4 @@ PIName: Nepomuk Otte
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '27'
diff --git a/projects/TG-PHY180007.yaml b/projects/TG-PHY180007.yaml
index c75d355a4..0313afe82 100644
--- a/projects/TG-PHY180007.yaml
+++ b/projects/TG-PHY180007.yaml
@@ -1,33 +1,27 @@
-Description: The Jet Energy-loss Tomography with a Statistically and
- Computationally Advanced Program Envelope (JETSCAPE) collaboration
- is an NSF funded SSI-collaboration of 6 institutions.The JETSCAPE
- Collaboration is tasked with the design and construction of a
- software framework that can be used to simulate collisions of large
- nuclei at extreme energies, to populate the framework with
- interacting modules that simulate different aspects of the
- collision, and use Bayesian techniques to make statistical comparisons
- between the results of this event generator and experimental data.
- Nuclear collision experiments at Brookhaven National Lab. and at
- CERN produce a state of matter called the Quark Gluon Plasma (QGP),
- which exists only above 2 trillion degrees. The QGP lives for about
- 10 septillionths of a second, before cooling down and explosively
- evaporating to a spray of conventional matter. The separate modules
- of the JETSCAPE event generator will simulate the initial state of
- the colliding nuclei, the pre-equilibrium dynamics, the viscous fluid
- dynamical expansion where the QGP cools down to an interacting state
- of conventional matter, and the final evaporation of the droplet into
- a spray of conventional particles. The framework and developed event
- generator places special emphasis on the simulation of extremely high
- energy jets that are produced in rarer events, traverse the dense QGP
- and are modified on exit. The study of this modification in comparison
- with jets in vacuum yields clues to the internal structure of the QGP.
- Before such simulations can be carried out, the different interacting
- modules of the event generator have to be tuned (unknown parameters
- set) by comparison with a small subset of available experimental data.
- We are requesting allocation time on the OSG to start the tuning of a
- scaled down version of the full event generator. The startup allocation
- will allow us to estimate both the time required for the tuning and
- simulations of the default event generator.
+Description: The Jet Energy-loss Tomography with a Statistically and Computationally
+ Advanced Program Envelope (JETSCAPE) collaboration is an NSF funded SSI-collaboration
+ of 6 institutions.The JETSCAPE Collaboration is tasked with the design and construction
+ of a software framework that can be used to simulate collisions of large nuclei
+ at extreme energies, to populate the framework with interacting modules that simulate
+ different aspects of the collision, and use Bayesian techniques to make statistical
+ comparisons between the results of this event generator and experimental data. Nuclear
+ collision experiments at Brookhaven National Lab. and at CERN produce a state of
+ matter called the Quark Gluon Plasma (QGP), which exists only above 2 trillion degrees.
+ The QGP lives for about 10 septillionths of a second, before cooling down and explosively
+ evaporating to a spray of conventional matter. The separate modules of the JETSCAPE
+ event generator will simulate the initial state of the colliding nuclei, the pre-equilibrium
+ dynamics, the viscous fluid dynamical expansion where the QGP cools down to an interacting
+ state of conventional matter, and the final evaporation of the droplet into a spray
+ of conventional particles. The framework and developed event generator places special
+ emphasis on the simulation of extremely high energy jets that are produced in rarer
+ events, traverse the dense QGP and are modified on exit. The study of this modification
+ in comparison with jets in vacuum yields clues to the internal structure of the
+ QGP. Before such simulations can be carried out, the different interacting modules
+ of the event generator have to be tuned (unknown parameters set) by comparison with
+ a small subset of available experimental data. We are requesting allocation time
+ on the OSG to start the tuning of a scaled down version of the full event generator.
+ The startup allocation will allow us to estimate both the time required for the
+ tuning and simulations of the default event generator.
Department: Physics And Astronomy
FieldOfScience: Nuclear Physics
Organization: Wayne State University
@@ -39,3 +33,4 @@ Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.0806'
diff --git a/projects/TG-PHY180035.yaml b/projects/TG-PHY180035.yaml
index 4328271c2..fb6e93492 100644
--- a/projects/TG-PHY180035.yaml
+++ b/projects/TG-PHY180035.yaml
@@ -10,3 +10,4 @@ Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.0806'
diff --git a/projects/TG-PHY200004.yaml b/projects/TG-PHY200004.yaml
index b6110a5d3..e72f95227 100644
--- a/projects/TG-PHY200004.yaml
+++ b/projects/TG-PHY200004.yaml
@@ -1,4 +1,4 @@
-Description: "Toward massively-parallel plasma simulation for low-temperature plasmas"
+Description: Toward massively-parallel plasma simulation for low-temperature plasmas
Department: Aerospace Engineering
FieldOfScience: Physics
Organization: Stanford University
@@ -7,3 +7,4 @@ ID: '751'
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.08'
diff --git a/projects/TG-PHY210083.yaml b/projects/TG-PHY210083.yaml
index 2598feb85..71b6b3ff7 100644
--- a/projects/TG-PHY210083.yaml
+++ b/projects/TG-PHY210083.yaml
@@ -1,5 +1,6 @@
-Description: Study the nonlinear elastic behavior of nanomaterials using a polynomial based constitutive equation to model the behavior of the materials.
-Department: Mechanical Engineering
+Description: Study the nonlinear elastic behavior of nanomaterials using a polynomial
+ based constitutive equation to model the behavior of the materials.
+Department: Mechanical Engineering
FieldOfScience: Materials Science
Organization: University of Maine
PIName: Senthil S. Vel
@@ -8,3 +9,4 @@ PIName: Senthil S. Vel
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.1001'
diff --git a/projects/TG-PHY210092.yaml b/projects/TG-PHY210092.yaml
index 95c832bcc..785ad2971 100644
--- a/projects/TG-PHY210092.yaml
+++ b/projects/TG-PHY210092.yaml
@@ -1,4 +1,4 @@
-Description: "Finite-size corrections in spin glasses and combinatorial optimization"
+Description: Finite-size corrections in spin glasses and combinatorial optimization
Department: Department of Physics
FieldOfScience: Condensed Matter Physics
Organization: Emory University
@@ -7,3 +7,4 @@ Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.0808'
diff --git a/projects/TG-PHY210094.yaml b/projects/TG-PHY210094.yaml
index bf24f5201..cc32e01d8 100644
--- a/projects/TG-PHY210094.yaml
+++ b/projects/TG-PHY210094.yaml
@@ -1,5 +1,6 @@
-Description: Magnetic and toopological properties of line defects in multiband superconductors. use Bogoliubov-de Gennes equations
-Department: Physics dept.
+Description: Magnetic and toopological properties of line defects in multiband superconductors.
+ use Bogoliubov-de Gennes equations
+Department: Physics dept.
FieldOfScience: Physics
Organization: University of Florida
PIName: Peter Hirschfeld
@@ -8,3 +9,4 @@ PIName: Peter Hirschfeld
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/TG-PHY220009.yaml b/projects/TG-PHY220009.yaml
index 1dff40c6e..e1f4c1bb3 100644
--- a/projects/TG-PHY220009.yaml
+++ b/projects/TG-PHY220009.yaml
@@ -1,5 +1,6 @@
Department: Department of Chemical and Biomolecular Engineering
-Description: Conduct particle resolved simulations of prolate spheroids in viscoelastic and EVP fluids using an in-house finite difference solver.
+Description: Conduct particle resolved simulations of prolate spheroids in viscoelastic
+ and EVP fluids using an in-house finite difference solver.
FieldOfScience: Chemical Engineering
Organization: Cornell University
PIName: Donald L Koch
@@ -7,3 +8,4 @@ PIName: Donald L Koch
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.07'
diff --git a/projects/TG-PHY220016.yaml b/projects/TG-PHY220016.yaml
index 43bb4ca17..5d1859e74 100644
--- a/projects/TG-PHY220016.yaml
+++ b/projects/TG-PHY220016.yaml
@@ -1,8 +1,23 @@
Department: Physics
-Description: Benchmarking of 2D Isometric Tensor Network Algorithms. Tensor networks states (TNS) are an essential tool in condensed matter physics for simulating quantum systems on standard, classical computers. In one-dimension, Matrix Product State (MPS) methods are provably accurate at representing a large class of physical states, and efficient algorithms have been developed for finding lowest energy, excited , and time-evolved states. In higher dimensions, however, exactly calculating properties of TNS are provably NP-hard, so approximations must be made. A recent development in two-dimensions (2D) is the isometric tensor network (isoTNS), which places restrictions on the network so that calculations become efficient [1]. We have recently developed algorithms for simulations of 2D networks with a finite by infinite geometry (think of an infinitely long ribbon). It is necessary to now benchmark these methods against existing 1D algorithms applied to 2D systems and determine the system sizes at which these methods outperform their 1D counterparts. The simulation code is written in Python and typically is for a single core. [1] Zaletel, Pollmann; Isometric Tensor Network States in Two Dimensions; Phys. Rev. Lett. 124, 037201 (2020)
+Description: Benchmarking of 2D Isometric Tensor Network Algorithms. Tensor networks
+ states (TNS) are an essential tool in condensed matter physics for simulating quantum
+ systems on standard, classical computers. In one-dimension, Matrix Product State
+ (MPS) methods are provably accurate at representing a large class of physical states,
+ and efficient algorithms have been developed for finding lowest energy, excited
+ , and time-evolved states. In higher dimensions, however, exactly calculating properties
+ of TNS are provably NP-hard, so approximations must be made. A recent development
+ in two-dimensions (2D) is the isometric tensor network (isoTNS), which places restrictions
+ on the network so that calculations become efficient [1]. We have recently developed
+ algorithms for simulations of 2D networks with a finite by infinite geometry (think
+ of an infinitely long ribbon). It is necessary to now benchmark these methods against
+ existing 1D algorithms applied to 2D systems and determine the system sizes at which
+ these methods outperform their 1D counterparts. The simulation code is written in
+ Python and typically is for a single core. [1] Zaletel, Pollmann; Isometric Tensor
+ Network States in Two Dimensions; Phys. Rev. Lett. 124, 037201 (2020)
FieldOfScience: Physics
Organization: University of California, Berkeley
PIName: Sajant Anand
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.08'
diff --git a/projects/TG-SEE140006.yaml b/projects/TG-SEE140006.yaml
index aa3a450e6..190d1f26b 100644
--- a/projects/TG-SEE140006.yaml
+++ b/projects/TG-SEE140006.yaml
@@ -14,3 +14,4 @@ PIName: Sheila Kannappan
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.1101'
diff --git a/projects/TG-SES090019.yaml b/projects/TG-SES090019.yaml
index df2dbbe23..b72212e37 100644
--- a/projects/TG-SES090019.yaml
+++ b/projects/TG-SES090019.yaml
@@ -44,3 +44,4 @@ PIName: Shaowen Wang
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '45.0702'
diff --git a/projects/TG-STA110011S.yaml b/projects/TG-STA110011S.yaml
index da4f1f6ee..c6d7b8d72 100644
--- a/projects/TG-STA110011S.yaml
+++ b/projects/TG-STA110011S.yaml
@@ -7,3 +7,4 @@ PIName: Stephen McNally
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: nan
diff --git a/projects/TG-STA110014S.yaml b/projects/TG-STA110014S.yaml
index 000050c3a..61841704f 100644
--- a/projects/TG-STA110014S.yaml
+++ b/projects/TG-STA110014S.yaml
@@ -7,3 +7,4 @@ PIName: Nancy Wilkins-Diehr
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '30.3001'
diff --git a/projects/TG-TRA090005.yaml b/projects/TG-TRA090005.yaml
index 476ff6698..7ee008815 100644
--- a/projects/TG-TRA090005.yaml
+++ b/projects/TG-TRA090005.yaml
@@ -7,3 +7,4 @@ PIName: Michelle Johnson
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30.3001'
diff --git a/projects/TG-TRA100004.yaml b/projects/TG-TRA100004.yaml
index 7f2e85abf..0faa50bea 100644
--- a/projects/TG-TRA100004.yaml
+++ b/projects/TG-TRA100004.yaml
@@ -7,3 +7,4 @@ PIName: Andrew Ruether
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '30.3001'
diff --git a/projects/TG-TRA110013.yaml b/projects/TG-TRA110013.yaml
index c861e1c36..28ec2c8ca 100644
--- a/projects/TG-TRA110013.yaml
+++ b/projects/TG-TRA110013.yaml
@@ -9,3 +9,4 @@ PIName: Hadrian Djohari
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '40.05'
diff --git a/projects/TG-TRA120004.yaml b/projects/TG-TRA120004.yaml
index d1fb79a96..fd63fc41a 100644
--- a/projects/TG-TRA120004.yaml
+++ b/projects/TG-TRA120004.yaml
@@ -8,3 +8,4 @@ PIName: Rob Lane
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '30.3001'
diff --git a/projects/TG-TRA120012.yaml b/projects/TG-TRA120012.yaml
index a40efc068..599f4456b 100644
--- a/projects/TG-TRA120012.yaml
+++ b/projects/TG-TRA120012.yaml
@@ -7,3 +7,4 @@ PIName: Tajendra Vir Singh
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/TG-TRA120014.yaml b/projects/TG-TRA120014.yaml
index 433fd4fe3..f232f2afc 100644
--- a/projects/TG-TRA120014.yaml
+++ b/projects/TG-TRA120014.yaml
@@ -8,3 +8,4 @@ PIName: Pol Llovet
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '26.13'
diff --git a/projects/TG-TRA120031.yaml b/projects/TG-TRA120031.yaml
index ad17bd30e..242b3e25b 100644
--- a/projects/TG-TRA120031.yaml
+++ b/projects/TG-TRA120031.yaml
@@ -1,11 +1,12 @@
Description: Campus Champions Renewal
-Department: Mathematics
+Department: Mathematics
FieldOfScience: Advanced Scientific Computing
Organization: Louisiana School for Math, Science, and the Arts
-PIName: John Burkman
+PIName: John Burkman
ID: '645'
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '11'
diff --git a/projects/TG-TRA120041.yaml b/projects/TG-TRA120041.yaml
index dd8f179a9..c74f8037c 100644
--- a/projects/TG-TRA120041.yaml
+++ b/projects/TG-TRA120041.yaml
@@ -7,3 +7,4 @@ PIName: Hanning Chen
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '11'
diff --git a/projects/TG-TRA130003.yaml b/projects/TG-TRA130003.yaml
index 438d409a4..e16fc447c 100644
--- a/projects/TG-TRA130003.yaml
+++ b/projects/TG-TRA130003.yaml
@@ -9,3 +9,4 @@ ID: '646'
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '30.3001'
diff --git a/projects/TG-TRA130007.yaml b/projects/TG-TRA130007.yaml
index 6bb2e99e0..6eacef496 100644
--- a/projects/TG-TRA130007.yaml
+++ b/projects/TG-TRA130007.yaml
@@ -8,3 +8,4 @@ PIName: David Monismith
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '30.3001'
diff --git a/projects/TG-TRA130011.yaml b/projects/TG-TRA130011.yaml
index 031d91b76..064a3b4e9 100644
--- a/projects/TG-TRA130011.yaml
+++ b/projects/TG-TRA130011.yaml
@@ -11,3 +11,4 @@ PIName: John Chrispell
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: nan
diff --git a/projects/TG-TRA130030.yaml b/projects/TG-TRA130030.yaml
index 77a89dae9..a1802cccd 100644
--- a/projects/TG-TRA130030.yaml
+++ b/projects/TG-TRA130030.yaml
@@ -8,3 +8,4 @@ PIName: Neranjan Edirisinghe Pathirannehelage
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '27'
diff --git a/projects/TG-TRA140029.yaml b/projects/TG-TRA140029.yaml
index 57126cf0c..a7c17fe4a 100644
--- a/projects/TG-TRA140029.yaml
+++ b/projects/TG-TRA140029.yaml
@@ -9,3 +9,4 @@ PIName: Scott Hampton
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: nan
diff --git a/projects/TG-TRA140036.yaml b/projects/TG-TRA140036.yaml
index 0642601ea..9ecf7cee0 100644
--- a/projects/TG-TRA140036.yaml
+++ b/projects/TG-TRA140036.yaml
@@ -10,3 +10,4 @@ Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '30.3001'
diff --git a/projects/TG-TRA140043.yaml b/projects/TG-TRA140043.yaml
index 7b7bc8fa8..66ff1d43b 100644
--- a/projects/TG-TRA140043.yaml
+++ b/projects/TG-TRA140043.yaml
@@ -7,3 +7,4 @@ PIName: Igor Yakushin
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '11'
diff --git a/projects/TG-TRA150015.yaml b/projects/TG-TRA150015.yaml
index f120666b1..fb9853ab6 100644
--- a/projects/TG-TRA150015.yaml
+++ b/projects/TG-TRA150015.yaml
@@ -10,3 +10,4 @@ Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '30.3001'
diff --git a/projects/TG-TRA150018.yaml b/projects/TG-TRA150018.yaml
index fae612f37..6ca90dcaf 100644
--- a/projects/TG-TRA150018.yaml
+++ b/projects/TG-TRA150018.yaml
@@ -8,3 +8,4 @@ PIName: Stephen Wolbers
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: nan
diff --git a/projects/TG-TRA160027.yaml b/projects/TG-TRA160027.yaml
index 9488baad4..8fed8a67c 100644
--- a/projects/TG-TRA160027.yaml
+++ b/projects/TG-TRA160027.yaml
@@ -1,4 +1,4 @@
-Description: "Indiana University Staff Allocation"
+Description: Indiana University Staff Allocation
Department: Information Technology
FieldOfScience: Training
Organization: Indiana University
@@ -7,3 +7,4 @@ ID: '724'
Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '30.3001'
diff --git a/projects/TG-TRA170047.yaml b/projects/TG-TRA170047.yaml
index 327f56506..2ec0e8fba 100644
--- a/projects/TG-TRA170047.yaml
+++ b/projects/TG-TRA170047.yaml
@@ -10,3 +10,4 @@ Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '30.3001'
diff --git a/projects/TG-TRA180011.yaml b/projects/TG-TRA180011.yaml
index ddad08fa5..bae63cacd 100644
--- a/projects/TG-TRA180011.yaml
+++ b/projects/TG-TRA180011.yaml
@@ -1,12 +1,10 @@
-Description: Allocations to help UD clients understand what resources
- can potentially be available to them to extend and/or complement
- UDs local HPC resources. Our goal is to apply for startup or other
- types of allocations for clients without necessarily using the
- Campus Champion resource, and/or provide clients with access to one
- of the resources, like Bridges, via the workshops to get a sense of
- resources and then apply for their own allocation. These allocations
- will be offered as an option to our UD clients to experiment in
- anticipation of applying for their own allocations.
+Description: Allocations to help UD clients understand what resources can potentially
+ be available to them to extend and/or complement UDs local HPC resources. Our goal
+ is to apply for startup or other types of allocations for clients without necessarily
+ using the Campus Champion resource, and/or provide clients with access to one of
+ the resources, like Bridges, via the workshops to get a sense of resources and then
+ apply for their own allocation. These allocations will be offered as an option to
+ our UD clients to experiment in anticipation of applying for their own allocations.
Department: CS&S
FieldOfScience: Other Engineering and Technologies
Organization: University of Delaware
@@ -15,3 +13,4 @@ PIName: Anita Schwartz
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14'
diff --git a/projects/TG-TRA180032.yaml b/projects/TG-TRA180032.yaml
index 9199b8791..c198fc43f 100644
--- a/projects/TG-TRA180032.yaml
+++ b/projects/TG-TRA180032.yaml
@@ -11,3 +11,4 @@ Sponsor:
CampusGrid:
Name: OSG-XSEDE
+FieldOfScienceID: '30.3001'
diff --git a/projects/TG-TRA210040.yaml b/projects/TG-TRA210040.yaml
index 777cb3d4b..90d6a71fa 100644
--- a/projects/TG-TRA210040.yaml
+++ b/projects/TG-TRA210040.yaml
@@ -1,6 +1,6 @@
-Description: I will be using the allocation to help researchers at the
- University of Rochester to understand how to use XSEDE resources and
- to test which XSEDE resources best fit their needs.
+Description: I will be using the allocation to help researchers at the University
+ of Rochester to understand how to use XSEDE resources and to test which XSEDE resources
+ best fit their needs.
Department: Dept. of Physics & Astronomy
FieldOfScience: Training
Organization: University of Rochester
@@ -9,3 +9,4 @@ PIName: Baowei Liu
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30.3001'
diff --git a/projects/TG-TRA220011.yaml b/projects/TG-TRA220011.yaml
index 35977dcf5..465bd69dc 100644
--- a/projects/TG-TRA220011.yaml
+++ b/projects/TG-TRA220011.yaml
@@ -7,3 +7,4 @@ PIName: Alexander Pacheco
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30.3001'
diff --git a/projects/TG-TRA220014.yaml b/projects/TG-TRA220014.yaml
index 07d35ab10..ee4de08d9 100644
--- a/projects/TG-TRA220014.yaml
+++ b/projects/TG-TRA220014.yaml
@@ -1,9 +1,8 @@
-Description: This Campus Champions allocation will primarily be used
- to allow USDA-ARS SCINet (https://scinet.usda.gov/) users to
- evaluate Jetstream as a possible alternative to public cloud (AWS,
- Azure) resources, which can be administratively difficult to
- obtain; as well as evaluate resources (e.g., newer GPU models) that
- are unavailable on SCINet HPC clusters.
+Description: This Campus Champions allocation will primarily be used to allow USDA-ARS
+ SCINet (https://scinet.usda.gov/) users to evaluate Jetstream as a possible alternative
+ to public cloud (AWS, Azure) resources, which can be administratively difficult
+ to obtain; as well as evaluate resources (e.g., newer GPU models) that are unavailable
+ on SCINet HPC clusters.
Department: Corn Insects and Crop Genetics Research Unit
FieldOfScience: Training
Organization: USDA Agricultural Research Service
@@ -12,3 +11,4 @@ PIName: Nathan Weeks
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30.3001'
diff --git a/projects/TG-TRA220017.yaml b/projects/TG-TRA220017.yaml
index 1cefccfe9..b871dc6f7 100644
--- a/projects/TG-TRA220017.yaml
+++ b/projects/TG-TRA220017.yaml
@@ -7,3 +7,4 @@ PIName: Bill Conn
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30.3001'
diff --git a/projects/TNTTech_ITS.yaml b/projects/TNTTech_ITS.yaml
index bde72f459..b882085ec 100644
--- a/projects/TNTTech_ITS.yaml
+++ b/projects/TNTTech_ITS.yaml
@@ -1,5 +1,6 @@
Name: TNTech_ITS
-Description: Research computing services (within Information Technology Services) and Tennessee Technology University
+Description: Research computing services (within Information Technology Services)
+ and Tennessee Technology University
Department: Information Technology Services
FieldOfScience: Computer Sciences
Organization: Tennessee Tech University
@@ -11,3 +12,4 @@ Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 11.0701a
diff --git a/projects/TPOT.yaml b/projects/TPOT.yaml
index 36c3f1ad2..466fbb985 100644
--- a/projects/TPOT.yaml
+++ b/projects/TPOT.yaml
@@ -9,3 +9,4 @@ PIName: Jason H. Moore
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/TRNG.yaml b/projects/TRNG.yaml
index e80fe8d70..5cc1a5502 100644
--- a/projects/TRNG.yaml
+++ b/projects/TRNG.yaml
@@ -7,3 +7,4 @@ PIName: Asia Aljahdali
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/Teamcore.yaml b/projects/Teamcore.yaml
index 4a60f5f62..9a1151d54 100644
--- a/projects/Teamcore.yaml
+++ b/projects/Teamcore.yaml
@@ -9,3 +9,4 @@ PIName: Amulya Yadav
Sponsor:
CampusGrid:
Name: ISI
+FieldOfScienceID: '11'
diff --git a/projects/TechEX15.yaml b/projects/TechEX15.yaml
index 67a9d165e..3dbc380e7 100644
--- a/projects/TechEX15.yaml
+++ b/projects/TechEX15.yaml
@@ -8,3 +8,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30'
diff --git a/projects/TelescopeArray.yaml b/projects/TelescopeArray.yaml
index 9abccb69b..c99f91496 100644
--- a/projects/TelescopeArray.yaml
+++ b/projects/TelescopeArray.yaml
@@ -10,3 +10,4 @@ PIName: Gordon Thomson
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0202'
diff --git a/projects/TexasAM_Alsmadi.yaml b/projects/TexasAM_Alsmadi.yaml
index de543f57a..72d6236f0 100644
--- a/projects/TexasAM_Alsmadi.yaml
+++ b/projects/TexasAM_Alsmadi.yaml
@@ -1,5 +1,6 @@
Department: Computer and Information Services
-Description: Analysis of Twitter posts to determine defining characteristics of bots for identification.
+Description: Analysis of Twitter posts to determine defining characteristics of bots
+ for identification.
FieldOfScience: Computer and Information Services
ID: '602'
Organization: Texas A&M University
@@ -7,3 +8,4 @@ PIName: Izzat Alsmadi
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.01'
diff --git a/projects/TexasAM_Fang.yaml b/projects/TexasAM_Fang.yaml
index 1cc1f05b5..a2d34a80a 100644
--- a/projects/TexasAM_Fang.yaml
+++ b/projects/TexasAM_Fang.yaml
@@ -7,3 +7,4 @@ PIName: Zheng Fang
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '45.0602'
diff --git a/projects/TexasAM_Sun.yaml b/projects/TexasAM_Sun.yaml
index 9e27f56a4..52794ae34 100644
--- a/projects/TexasAM_Sun.yaml
+++ b/projects/TexasAM_Sun.yaml
@@ -1,4 +1,4 @@
-Description: Light nuclei production in heavy-ion collisions
+Description: Light nuclei production in heavy-ion collisions
Department: Cyclotron Institute
FieldOfScience: Physics
Organization: Texas A&M University
@@ -9,3 +9,4 @@ ID: '747'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/TexasTech_Corsi.yaml b/projects/TexasTech_Corsi.yaml
index 80c65b601..00c69cb8c 100644
--- a/projects/TexasTech_Corsi.yaml
+++ b/projects/TexasTech_Corsi.yaml
@@ -9,3 +9,4 @@ ID: '836'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/TextLab.yaml b/projects/TextLab.yaml
index 594f4efb4..3d32517de 100644
--- a/projects/TextLab.yaml
+++ b/projects/TextLab.yaml
@@ -7,3 +7,4 @@ PIName: James Evans
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30'
diff --git a/projects/Training-ACE-NIAID.yaml b/projects/Training-ACE-NIAID.yaml
index 1f8626084..8e0a174ad 100644
--- a/projects/Training-ACE-NIAID.yaml
+++ b/projects/Training-ACE-NIAID.yaml
@@ -1,9 +1,10 @@
-Description: Group for ACE training (through NIAID/NIH)
+Description: Group for ACE training (through NIAID/NIH)
Department: Bioinformatics and Computational Biosciences Branch (BCBB)
FieldOfScience: Training
Organization: NIAID/NIH
-PIName: Mariam Quiñones
+PIName: Mariam Quiñones
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30.3001'
diff --git a/projects/TrappedOrbits.yaml b/projects/TrappedOrbits.yaml
index 61c92e800..0c7b3d8b4 100644
--- a/projects/TrappedOrbits.yaml
+++ b/projects/TrappedOrbits.yaml
@@ -9,3 +9,4 @@ PIName: Kathryne J Daniel
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0202'
diff --git a/projects/Tufts_Hempstead.yaml b/projects/Tufts_Hempstead.yaml
index bd70cdddf..8b33b6520 100644
--- a/projects/Tufts_Hempstead.yaml
+++ b/projects/Tufts_Hempstead.yaml
@@ -1,11 +1,12 @@
-Description: "Tufts Computer Architecture Lab"
+Description: Tufts Computer Architecture Lab
Department: Electrical & Computer Engineering
FieldOfScience: Computer Architecture/Computer Engineering
Organization: Tufts University
-PIName: Mark Hempstead
+PIName: Mark Hempstead
ID: 693
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.4701'
diff --git a/projects/Tufts_Levin.yaml b/projects/Tufts_Levin.yaml
index c51ac0aa4..36654d96a 100644
--- a/projects/Tufts_Levin.yaml
+++ b/projects/Tufts_Levin.yaml
@@ -10,3 +10,4 @@ ID: '810'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/Tutorial-PEARC20.yaml b/projects/Tutorial-PEARC20.yaml
index 2ddd5f15a..4b5d18cd3 100644
--- a/projects/Tutorial-PEARC20.yaml
+++ b/projects/Tutorial-PEARC20.yaml
@@ -9,3 +9,4 @@ ID: '710'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/Tutorial-PEARC21.yaml b/projects/Tutorial-PEARC21.yaml
index 6a9ff8e54..759472f77 100644
--- a/projects/Tutorial-PEARC21.yaml
+++ b/projects/Tutorial-PEARC21.yaml
@@ -9,3 +9,4 @@ ID: '811'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/U5Mortality.yaml b/projects/U5Mortality.yaml
index f6db7547f..bd3bfc9e5 100644
--- a/projects/U5Mortality.yaml
+++ b/projects/U5Mortality.yaml
@@ -1,9 +1,7 @@
Department: Biology
-Description: 'Analyze U-5 mortality convergence and compression in developed and developing
- countries.
-
- Analyze lifespan inequality in U-5 mortality and how it correlates with other sources
- of inequality across and within countries.'
+Description: "Analyze U-5 mortality convergence and compression in developed and developing
+ countries.\nAnalyze lifespan inequality in U-5 mortality and how it correlates with
+ other sources of inequality across and within countries."
FieldOfScience: Biological Sciences
ID: '445'
Organization: Stanford University
@@ -11,3 +9,4 @@ PIName: Shripad Tuljapurkar
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/UAB_ResearchComputing.yaml b/projects/UAB_ResearchComputing.yaml
index 1cc701897..aca5ea2d5 100644
--- a/projects/UAB_ResearchComputing.yaml
+++ b/projects/UAB_ResearchComputing.yaml
@@ -1,10 +1,12 @@
-Description: Research Computing in IT at the University of Alabama - BirminghamResearch Computing in IT at the University of Alabama - Birmingham.
+Description: Research Computing in IT at the University of Alabama - BirminghamResearch
+ Computing in IT at the University of Alabama - Birmingham.
Department: Research Computing
FieldOfScience: Research Computing
Organization: The University of Alabama at Birmingham
-PIName: Ralph Zottola
+PIName: Ralph Zottola
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.9999'
diff --git a/projects/UAB_Thyme.yaml b/projects/UAB_Thyme.yaml
index c829f5933..dc4a37e63 100644
--- a/projects/UAB_Thyme.yaml
+++ b/projects/UAB_Thyme.yaml
@@ -1,4 +1,5 @@
-Description: Uncovering mechanisms of intellectual disability using zebrafish as a model.
+Description: Uncovering mechanisms of intellectual disability using zebrafish as a
+ model.
Department: Neurobiology
FieldOfScience: Biological and Biomedical Sciences
Organization: The University of Alabama at Birmingham
@@ -7,3 +8,4 @@ PIName: Summer Thyme
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 26.1599b
diff --git a/projects/UAB_Worthey.yaml b/projects/UAB_Worthey.yaml
index 1d53731e9..aaf948025 100644
--- a/projects/UAB_Worthey.yaml
+++ b/projects/UAB_Worthey.yaml
@@ -1,10 +1,12 @@
-Description: Application of data science, omics, computational biology to understan phenotypic differentiator in human disease.
+Description: Application of data science, omics, computational biology to understan
+ phenotypic differentiator in human disease.
Department: Department of Pediatrics and Pathology; CGDS
FieldOfScience: Biological and Biomedical Sciences
Organization: The University of Alabama at Birmingham
-PIName: Elizabeth Worthey
+PIName: Elizabeth Worthey
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/UADataAnalytics.yaml b/projects/UADataAnalytics.yaml
index 73d14fe8b..0239def42 100644
--- a/projects/UADataAnalytics.yaml
+++ b/projects/UADataAnalytics.yaml
@@ -7,3 +7,4 @@ PIName: Nirav Merchant
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30'
diff --git a/projects/UAF_Aschwanden.yaml b/projects/UAF_Aschwanden.yaml
index 1ed1a511e..b65426fa2 100644
--- a/projects/UAF_Aschwanden.yaml
+++ b/projects/UAF_Aschwanden.yaml
@@ -1,4 +1,5 @@
-Description: Generate a physically-consistent state-estimate—a reanalysis—of the Greenland Ice Sheet (GrIS) from 1980 to 2020
+Description: Generate a physically-consistent state-estimate—a reanalysis—of the Greenland
+ Ice Sheet (GrIS) from 1980 to 2020
Department: Snow, Ice and Permafrost
FieldOfScience: Geological and Earth Sciences
Organization: University of Alaska Fairbanks
@@ -8,3 +9,4 @@ PIName: Andy Aschwanden
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.06'
diff --git a/projects/UALR_EAC.yaml b/projects/UALR_EAC.yaml
index 3f03d268c..046cffb0f 100644
--- a/projects/UALR_EAC.yaml
+++ b/projects/UALR_EAC.yaml
@@ -1,9 +1,19 @@
-Description: The Donaghey Emerging Analytics Center (EAC, [http://eac.ualr.edu]) is an academic department within UA Little Rock with a focus on research and development in immersive visualization, augmented/virtual/mixed realities, and interactive technologies in general. The EAC is further including in its portfolio research in cybersecurity, mobile/ubiquitous computing, and the internet-of-things, as well as applications of machine and deep learning. Additionally, the EAC is collaborating very closely with the Department of Computer Science at UA Little Rock, where the computer science department is the prime talent pool for the EAC while the EAC offers wide-ranging opportunities for students in professional software development as well as academic and industry research.
+Description: The Donaghey Emerging Analytics Center (EAC, [http://eac.ualr.edu]) is
+ an academic department within UA Little Rock with a focus on research and development
+ in immersive visualization, augmented/virtual/mixed realities, and interactive technologies
+ in general. The EAC is further including in its portfolio research in cybersecurity,
+ mobile/ubiquitous computing, and the internet-of-things, as well as applications
+ of machine and deep learning. Additionally, the EAC is collaborating very closely
+ with the Department of Computer Science at UA Little Rock, where the computer science
+ department is the prime talent pool for the EAC while the EAC offers wide-ranging
+ opportunities for students in professional software development as well as academic
+ and industry research.
Department: Donaghey Emerging Analytics Center
-FieldOfScience: Computer and Information Science
+FieldOfScience: Computer and Information Science
Organization: University of Arkansas at Little Rock
PIName: Jan Springer
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.0804'
diff --git a/projects/UALR_Goodarzi.yaml b/projects/UALR_Goodarzi.yaml
index 2d58776bb..70fee12ff 100644
--- a/projects/UALR_Goodarzi.yaml
+++ b/projects/UALR_Goodarzi.yaml
@@ -1,9 +1,12 @@
Description: >
- focus on drug discovery for infection and cancer, leveraging computational methods.
- Specifically, I utilize computation for analyzing protein-protein interactions, protein-ligand interactions, and multivariate analysis.
- This approach aids in identifying potential drug targets and understanding molecular mechanisms.
- Overall, my work integrates computational tools to advance drug discovery efforts against infection and cancer.
+ focus on drug discovery for infection and cancer, leveraging computational methods. Specifically,
+ I utilize computation for analyzing protein-protein interactions, protein-ligand
+ interactions, and multivariate analysis.
+ This approach aids in identifying potential drug targets and understanding molecular
+ mechanisms. Overall, my work integrates computational tools to advance drug discovery
+ efforts against infection and cancer.
Department: Chemistry
-FieldOfScience: Biochemistry
+FieldOfScience: Biochemistry
Organization: University of Arkansas at Little Rock
PIName: Mohammad Goodarzi
+FieldOfScienceID: '26.0202'
diff --git a/projects/UALR_ITS.yaml b/projects/UALR_ITS.yaml
index a5e842902..1beff3ac9 100644
--- a/projects/UALR_ITS.yaml
+++ b/projects/UALR_ITS.yaml
@@ -1,4 +1,5 @@
-Description: Accounts for ITS staff members at the University of Arkansas, Little Rock
+Description: Accounts for ITS staff members at the University of Arkansas, Little
+ Rock
Department: IT Services
FieldOfScience: Research Computing
Organization: University of Arkansas at Little Rock
@@ -7,3 +8,4 @@ PIName: Timothy Stoddard
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/UA_OIT.yaml b/projects/UA_OIT.yaml
index 5410422b4..05f7a0043 100644
--- a/projects/UA_OIT.yaml
+++ b/projects/UA_OIT.yaml
@@ -1,13 +1,13 @@
-Description: Our goal is to educate researchers on how to use OSG to
- perform their research. We have researchers working on medical
- technology, biology, chemistry, data science, machine learning, and
- artificial intelligence.
+Description: Our goal is to educate researchers on how to use OSG to perform their
+ research. We have researchers working on medical technology, biology, chemistry,
+ data science, machine learning, and artificial intelligence.
Department: Office of Information Technology
FieldOfScience: Computer and Information Services
Organization: University of Alabama
-PIName: Donald Jay Cervino
+PIName: Donald Jay Cervino
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.01'
diff --git a/projects/UC-Staff.yaml b/projects/UC-Staff.yaml
index 572265463..08dc0c082 100644
--- a/projects/UC-Staff.yaml
+++ b/projects/UC-Staff.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '11.07'
diff --git a/projects/UCAnschutz_Langner.yaml b/projects/UCAnschutz_Langner.yaml
index 5f87feec1..87c388d9c 100644
--- a/projects/UCAnschutz_Langner.yaml
+++ b/projects/UCAnschutz_Langner.yaml
@@ -9,3 +9,4 @@ ID: '593'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1102'
diff --git a/projects/UCBerkeley_Altman.yaml b/projects/UCBerkeley_Altman.yaml
index 74b12422d..38af21576 100644
--- a/projects/UCBerkeley_Altman.yaml
+++ b/projects/UCBerkeley_Altman.yaml
@@ -7,3 +7,4 @@ PIName: Ehud Altman
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/UCBerkeley_Zaletel.yaml b/projects/UCBerkeley_Zaletel.yaml
index cab199c15..2c2804a2c 100644
--- a/projects/UCBerkeley_Zaletel.yaml
+++ b/projects/UCBerkeley_Zaletel.yaml
@@ -12,3 +12,4 @@ PIName: Mike Zaletel
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0808'
diff --git a/projects/UCDavis_Leveau.yaml b/projects/UCDavis_Leveau.yaml
index 2cf4d4d15..80e51a6bb 100644
--- a/projects/UCDavis_Leveau.yaml
+++ b/projects/UCDavis_Leveau.yaml
@@ -1,5 +1,6 @@
Department: Department of Plant Pathology
-Description: Study of plant-microbe interactions specifically pertaining to microbes in the phyllosphere (leaf surface)
+Description: Study of plant-microbe interactions specifically pertaining to microbes
+ in the phyllosphere (leaf surface)
FieldOfScience: Biological and Biomedical Sciences
Organization: University of California, Davis
PIName: Johan Leveau
@@ -7,3 +8,4 @@ PIName: Johan Leveau
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '1.1101'
diff --git a/projects/UCDavis_Pickett.yaml b/projects/UCDavis_Pickett.yaml
index 89a566f09..50d860f82 100644
--- a/projects/UCDavis_Pickett.yaml
+++ b/projects/UCDavis_Pickett.yaml
@@ -1,4 +1,5 @@
-Description: Computational survey and analysis of superconducting hydrides at high pressure
+Description: Computational survey and analysis of superconducting hydrides at high
+ pressure
Department: Physics
FieldOfScience: Materials Science
Organization: University of California, Davis
@@ -9,3 +10,4 @@ ID: '704'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.1001'
diff --git a/projects/UCDavis_Yarov-Yarovoy.yaml b/projects/UCDavis_Yarov-Yarovoy.yaml
index e6d40f15a..514d4053f 100644
--- a/projects/UCDavis_Yarov-Yarovoy.yaml
+++ b/projects/UCDavis_Yarov-Yarovoy.yaml
@@ -7,3 +7,4 @@ PIName: Vladimir Yarov-Yarovoy
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1104'
diff --git a/projects/UCDenver_Butler.yaml b/projects/UCDenver_Butler.yaml
index 3c99daf34..05843f418 100644
--- a/projects/UCDenver_Butler.yaml
+++ b/projects/UCDenver_Butler.yaml
@@ -9,3 +9,4 @@ ID: '664'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27.01'
diff --git a/projects/UCDenver_Farguell.yaml b/projects/UCDenver_Farguell.yaml
index 3d00bf8d1..964873209 100644
--- a/projects/UCDenver_Farguell.yaml
+++ b/projects/UCDenver_Farguell.yaml
@@ -9,3 +9,4 @@ ID: '661'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.04'
diff --git a/projects/UCDenver_Gaffney.yaml b/projects/UCDenver_Gaffney.yaml
index 4f0fe46d7..69f3c683a 100644
--- a/projects/UCDenver_Gaffney.yaml
+++ b/projects/UCDenver_Gaffney.yaml
@@ -7,3 +7,4 @@ PIName: Brecca Gaffney
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14'
diff --git a/projects/UCDenver_Hartke.yaml b/projects/UCDenver_Hartke.yaml
index 38982d58d..1650fba0e 100644
--- a/projects/UCDenver_Hartke.yaml
+++ b/projects/UCDenver_Hartke.yaml
@@ -1,4 +1,5 @@
-Description: Using discharging method to prove upper bounds on coloring parameters for sparse graph classes
+Description: Using discharging method to prove upper bounds on coloring parameters
+ for sparse graph classes
Department: Mathematical and Statistical Sciences
FieldOfScience: Mathematics
Organization: University of Colorado Denver
@@ -8,3 +9,4 @@ PIName: Stephen Hartke
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27.01'
diff --git a/projects/UCDenver_Kechris.yaml b/projects/UCDenver_Kechris.yaml
index 638b83624..fddbe802a 100644
--- a/projects/UCDenver_Kechris.yaml
+++ b/projects/UCDenver_Kechris.yaml
@@ -9,3 +9,4 @@ ID: '801'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/UCDenver_Mandel.yaml b/projects/UCDenver_Mandel.yaml
index 34fe63a9d..fb1716b47 100644
--- a/projects/UCDenver_Mandel.yaml
+++ b/projects/UCDenver_Mandel.yaml
@@ -9,3 +9,4 @@ ID: '616'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27.01'
diff --git a/projects/UCF_Bennett.yaml b/projects/UCF_Bennett.yaml
index 62d76eca9..e590078d5 100644
--- a/projects/UCF_Bennett.yaml
+++ b/projects/UCF_Bennett.yaml
@@ -9,3 +9,4 @@ ID: '596'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/UCF_GRIT.yaml b/projects/UCF_GRIT.yaml
index 1383c8e54..7760d8a42 100644
--- a/projects/UCF_GRIT.yaml
+++ b/projects/UCF_GRIT.yaml
@@ -1,4 +1,6 @@
-Description: "UCF's Graduate and Research Information Technology (GRIT) provides innovative and effective digital services that are strategically aligned to the goals of research and graduate programs."
+Description: UCF's Graduate and Research Information Technology (GRIT) provides innovative
+ and effective digital services that are strategically aligned to the goals of research
+ and graduate programs.
Department: Office of Research and Graduate Studies
FieldOfScience: Research Computing
Organization: University of Central Florida
@@ -9,3 +11,4 @@ ID: '622'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/UCF_IT.yaml b/projects/UCF_IT.yaml
index b00496328..83f349596 100644
--- a/projects/UCF_IT.yaml
+++ b/projects/UCF_IT.yaml
@@ -1,4 +1,4 @@
-Description: Project for UCF IT staff for exploring and using OSG Connect
+Description: Project for UCF IT staff for exploring and using OSG Connect
Department: Information Technolgoy
FieldOfScience: Technology
Organization: University of Central Florida
@@ -10,3 +10,4 @@ Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30.3001'
diff --git a/projects/UCF_Khan.yaml b/projects/UCF_Khan.yaml
index 97b5fd6b2..3ef6004a6 100644
--- a/projects/UCF_Khan.yaml
+++ b/projects/UCF_Khan.yaml
@@ -1,10 +1,13 @@
Description: >
- Investigating the ability of neural networks to represent functions in the context of approximation theory.
- We seek to uncover areas of scientific computing in which neural networks provide a 'better-than-nothing'
- approximation of a solution in high-dimensional problems wherein classical scientific computing methods fail.
- The primary area of investigation is the ability of a neural network to capture inherent low-dimensional
- structure present in high-dimensional functions.
+ Investigating the ability of neural networks to represent functions in the context
+ of approximation theory.
+ We seek to uncover areas of scientific computing in which neural networks provide
+ a 'better-than-nothing' approximation of a solution in high-dimensional problems
+ wherein classical scientific computing methods fail. The primary area of investigation
+ is the ability of a neural network to capture inherent low-dimensional structure
+ present in high-dimensional functions.
Department: Research Cyberinfrastructure
FieldOfScience: Mathematics and Statistics
Organization: University of Central Florida
PIName: Fahad Khan
+FieldOfScienceID: '27.0503'
diff --git a/projects/UCF_Wiegand.yaml b/projects/UCF_Wiegand.yaml
index 7d099849a..ca9765351 100644
--- a/projects/UCF_Wiegand.yaml
+++ b/projects/UCF_Wiegand.yaml
@@ -1,4 +1,4 @@
-Description: "Predictions on Traffic with Deep Learning and Reinforcement Learning"
+Description: Predictions on Traffic with Deep Learning and Reinforcement Learning
Department: Intitute for Simulation and Training
FieldOfScience: Computer Science
Organization: University of Central Florida
@@ -9,3 +9,4 @@ ID: '617'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/UCF_Zou.yaml b/projects/UCF_Zou.yaml
index ac7decbe3..6c60c66ea 100644
--- a/projects/UCF_Zou.yaml
+++ b/projects/UCF_Zou.yaml
@@ -7,3 +7,4 @@ PIName: Shengli Zou
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/UCHC_Mendes.yaml b/projects/UCHC_Mendes.yaml
index a18502cb6..a2a58e995 100644
--- a/projects/UCHC_Mendes.yaml
+++ b/projects/UCHC_Mendes.yaml
@@ -1,4 +1,14 @@
-Description: "We follow the Systems Biology approach, where biological phenomena are seen as resulting from the interactions of its constituents. Interpreting these phenomena requires the use of quantitative methods and computation. We work on many aspects of Computational Systems Biology: Development of modelling and simulation software (like COPASI) Construction of large-scale cellular models (digital organisms) Parameter estimation and sensitivity analysis Standards for systems biology Multiscale modelling and simulation Reverse-engineering biological networks (top-down modelling) Enzyme kinetics for model construction (bottom-up modelling) We are also involved in modeling biological phenomena: The network of iron absorption, metabolism and signalling in mammals Dynamics of eukaryotic protein synthesis Mixed species Candida albicans-bacterial biofilm formation "
+Description: 'We follow the Systems Biology approach, where biological phenomena are
+ seen as resulting from the interactions of its constituents. Interpreting these
+ phenomena requires the use of quantitative methods and computation. We work on many
+ aspects of Computational Systems Biology: Development of modelling and simulation
+ software (like COPASI) Construction of large-scale cellular models (digital organisms)
+ Parameter estimation and sensitivity analysis Standards for systems biology Multiscale
+ modelling and simulation Reverse-engineering biological networks (top-down modelling)
+ Enzyme kinetics for model construction (bottom-up modelling) We are also involved
+ in modeling biological phenomena: The network of iron absorption, metabolism and
+ signalling in mammals Dynamics of eukaryotic protein synthesis Mixed species Candida
+ albicans-bacterial biofilm formation '
Department: Department of Cell Biology
FieldOfScience: Biological Sciences
Organization: University of Connecticut Health Center
@@ -9,3 +19,4 @@ ID: '842'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/UCIAtlas.yaml b/projects/UCIAtlas.yaml
index 515c98241..7613c8290 100644
--- a/projects/UCIAtlas.yaml
+++ b/projects/UCIAtlas.yaml
@@ -19,3 +19,4 @@ Sponsor:
VirtualOrganization:
##### Name is the name of the VO that sponsored the project
Name: ATLAS
+FieldOfScienceID: '40.08'
diff --git a/projects/UCI_Jeliazkov.yaml b/projects/UCI_Jeliazkov.yaml
index 64884f229..7b5c75d27 100644
--- a/projects/UCI_Jeliazkov.yaml
+++ b/projects/UCI_Jeliazkov.yaml
@@ -1,4 +1,4 @@
-Description:
+Description:
Department: Economics
FieldOfScience: Economics
Organization: University of California, Irvine
@@ -9,3 +9,4 @@ ID: '577'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '45.06'
diff --git a/projects/UCI_McnLab.yaml b/projects/UCI_McnLab.yaml
index 60f1fbfcb..bd640e434 100644
--- a/projects/UCI_McnLab.yaml
+++ b/projects/UCI_McnLab.yaml
@@ -9,3 +9,4 @@ ID: '591'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.15'
diff --git a/projects/UCI_Sheng.yaml b/projects/UCI_Sheng.yaml
index d9ead59ff..96108cfe0 100644
--- a/projects/UCI_Sheng.yaml
+++ b/projects/UCI_Sheng.yaml
@@ -4,3 +4,4 @@ Description: 'Research on the US housing market and transactions with the aim of
FieldOfScience: Economics
Organization: University of California, Irvine
PIName: Jinfei Sheng
+FieldOfScienceID: '19'
diff --git a/projects/UCLA_Huang.yaml b/projects/UCLA_Huang.yaml
index 396e893ff..263d51621 100644
--- a/projects/UCLA_Huang.yaml
+++ b/projects/UCLA_Huang.yaml
@@ -1,4 +1,5 @@
-Description: Studying $\Omega$-hadron correlation to search for signatures of baryon junction mechanisms at RHIC BES energies.
+Description: Studying $\Omega$-hadron correlation to search for signatures of baryon
+ junction mechanisms at RHIC BES energies.
Department: Physics and Astronomy
FieldOfScience: Astronomy
Organization: Arizona State University
@@ -9,3 +10,4 @@ ID: '731'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.02'
diff --git a/projects/UCLA_OARC.yaml b/projects/UCLA_OARC.yaml
index 3321e252e..335895981 100644
--- a/projects/UCLA_OARC.yaml
+++ b/projects/UCLA_OARC.yaml
@@ -7,3 +7,4 @@ PIName: Tajendra Vir Singh
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/UCLA_Zhu.yaml b/projects/UCLA_Zhu.yaml
index 0b96d8d50..c84edc084 100644
--- a/projects/UCLA_Zhu.yaml
+++ b/projects/UCLA_Zhu.yaml
@@ -1,4 +1,4 @@
-Description: Vision, Cognition, Learning and Autonomy
+Description: Vision, Cognition, Learning and Autonomy
Department: Computer Science
FieldOfScience: Computer Science
Organization: University of California, Los Angeles
@@ -9,3 +9,4 @@ ID: '628'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/UCMerced_Han.yaml b/projects/UCMerced_Han.yaml
index c153998f6..613b80761 100644
--- a/projects/UCMerced_Han.yaml
+++ b/projects/UCMerced_Han.yaml
@@ -1,6 +1,6 @@
-Description: Water Research in University of California Merced
+Description: Water Research in University of California Merced
Department: Chemistry and Chemical Biology
-FieldOfScience: Chemistry
+FieldOfScience: Chemistry
Organization: University of California, Merced
PIName: Liang Shi
@@ -9,3 +9,4 @@ ID: '597'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/UCR_ITSStaff.yaml b/projects/UCR_ITSStaff.yaml
index 3e0572ede..12a06747f 100644
--- a/projects/UCR_ITSStaff.yaml
+++ b/projects/UCR_ITSStaff.yaml
@@ -1,4 +1,5 @@
-Description: Research Computing Staff in Information Technology Solutions (ITS) at University of California, Riverside.
+Description: Research Computing Staff in Information Technology Solutions (ITS) at
+ University of California, Riverside.
Department: Information Technology Solutions
FieldOfScience: Computer and Information Sciences
Organization: University of California, Riverside
@@ -9,3 +10,4 @@ ID: '713'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/UCSC_Williams.yaml b/projects/UCSC_Williams.yaml
index 64ca13b3f..d125b05ae 100644
--- a/projects/UCSC_Williams.yaml
+++ b/projects/UCSC_Williams.yaml
@@ -1,4 +1,8 @@
-Description: "Simulations of performances of the Cherenkov Telescope Array (CTA). It is specially focused on studying and optimizing the performances of the CTA-US Schwarzschild-Couder Telescope (SCT) for its implementation in the Southern array of CTA. Useful links: CTA (https://www.cta-observatory.org/), Current SCT prototype installed at the Fred Whipple Lawrence Observatory https://cta-psct.physics.ucla.edu/index.html"
+Description: 'Simulations of performances of the Cherenkov Telescope Array (CTA).
+ It is specially focused on studying and optimizing the performances of the CTA-US
+ Schwarzschild-Couder Telescope (SCT) for its implementation in the Southern array
+ of CTA. Useful links: CTA (https://www.cta-observatory.org/), Current SCT prototype
+ installed at the Fred Whipple Lawrence Observatory https://cta-psct.physics.ucla.edu/index.html'
Department: Physics
FieldOfScience: Astronomy and Astrophysics
Organization: University of California Santa Cruz
@@ -7,3 +11,4 @@ PIName: David Williams
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0202'
diff --git a/projects/UCSDEngEarthquake.yaml b/projects/UCSDEngEarthquake.yaml
index 9707f3664..417110b4f 100644
--- a/projects/UCSDEngEarthquake.yaml
+++ b/projects/UCSDEngEarthquake.yaml
@@ -7,3 +7,4 @@ PIName: Frank Wuerthwein
Sponsor:
CampusGrid:
Name: UCSD
+FieldOfScienceID: '14'
diff --git a/projects/UCSDPhysAstroExp.yaml b/projects/UCSDPhysAstroExp.yaml
index ee761e58f..e7034f8a5 100644
--- a/projects/UCSDPhysAstroExp.yaml
+++ b/projects/UCSDPhysAstroExp.yaml
@@ -7,3 +7,4 @@ PIName: Frank Wuerthwein
Sponsor:
CampusGrid:
Name: UCSD
+FieldOfScienceID: '40.0202'
diff --git a/projects/UCSDPhysAstroTheo.yaml b/projects/UCSDPhysAstroTheo.yaml
index eac9a51f1..0bfcb6e3f 100644
--- a/projects/UCSDPhysAstroTheo.yaml
+++ b/projects/UCSDPhysAstroTheo.yaml
@@ -7,3 +7,4 @@ PIName: Frank Wuerthwein
Sponsor:
CampusGrid:
Name: UCSD
+FieldOfScienceID: '40.0202'
diff --git a/projects/UCSDPhysBio.yaml b/projects/UCSDPhysBio.yaml
index 6f5ac964d..cf3a0cfea 100644
--- a/projects/UCSDPhysBio.yaml
+++ b/projects/UCSDPhysBio.yaml
@@ -7,3 +7,4 @@ PIName: Frank Wuerthwein
Sponsor:
CampusGrid:
Name: UCSD
+FieldOfScienceID: '26.02'
diff --git a/projects/UCSDPhysPart.yaml b/projects/UCSDPhysPart.yaml
index 6243f0a63..943198ff2 100644
--- a/projects/UCSDPhysPart.yaml
+++ b/projects/UCSDPhysPart.yaml
@@ -7,3 +7,4 @@ PIName: Frank Wuerthwein
Sponsor:
CampusGrid:
Name: UCSD
+FieldOfScienceID: '40.08'
diff --git a/projects/UCSD_Arovas.yaml b/projects/UCSD_Arovas.yaml
index 2eb7c7152..4a7117460 100644
--- a/projects/UCSD_Arovas.yaml
+++ b/projects/UCSD_Arovas.yaml
@@ -9,3 +9,4 @@ ID: '732'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/UCSD_Bradic.yaml b/projects/UCSD_Bradic.yaml
index 34bcd677c..834a8e054 100644
--- a/projects/UCSD_Bradic.yaml
+++ b/projects/UCSD_Bradic.yaml
@@ -6,3 +6,4 @@ Description: >
FieldOfScience: Mathematical Sciences
Organization: University of California, San Diego
PIName: Jelena Bradic
+FieldOfScienceID: '30.7001'
diff --git a/projects/UCSD_Du.yaml b/projects/UCSD_Du.yaml
index fdd4256b4..ade16e186 100644
--- a/projects/UCSD_Du.yaml
+++ b/projects/UCSD_Du.yaml
@@ -9,3 +9,4 @@ Description: Our research group focuses on developing quantum sensing and imagin
FieldOfScience: Physics
Organization: University of California, San Diego
PIName: Chunhui Du
+FieldOfScienceID: '40.08'
diff --git a/projects/UCSD_Duarte.yaml b/projects/UCSD_Duarte.yaml
index aa393804e..e0567371c 100644
--- a/projects/UCSD_Duarte.yaml
+++ b/projects/UCSD_Duarte.yaml
@@ -1,5 +1,6 @@
Department: Department of Physics
-Description: Machine learning (ML) development for particle physics, primarily for the CMS experiment at the CERN Large Hadron Collider.
+Description: Machine learning (ML) development for particle physics, primarily for
+ the CMS experiment at the CERN Large Hadron Collider.
FieldOfScience: High Energy Physics
Organization: University of California, San Diego
PIName: Javier Duarte
@@ -7,3 +8,4 @@ PIName: Javier Duarte
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/UCSD_Elman.yaml b/projects/UCSD_Elman.yaml
index bc4393bc0..afdef4bcd 100644
--- a/projects/UCSD_Elman.yaml
+++ b/projects/UCSD_Elman.yaml
@@ -7,3 +7,4 @@ PIName: Jeremy Elman
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/UCSD_Fricker.yaml b/projects/UCSD_Fricker.yaml
index 7e43bbe88..e4781a116 100644
--- a/projects/UCSD_Fricker.yaml
+++ b/projects/UCSD_Fricker.yaml
@@ -1,4 +1,5 @@
-Description: Use satellite remote sensing data to study processes that affect mass loss from the Antarctic Ice Sheet
+Description: Use satellite remote sensing data to study processes that affect mass
+ loss from the Antarctic Ice Sheet
Department: Scripps Institution of Oceanography
FieldOfScience: Geological and Earth Sciences
Organization: University of California, San Diego
@@ -7,3 +8,4 @@ PIName: Helen Fricker
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.06'
diff --git a/projects/UCSD_George.yaml b/projects/UCSD_George.yaml
index 9cd53d45d..2e78929ba 100644
--- a/projects/UCSD_George.yaml
+++ b/projects/UCSD_George.yaml
@@ -1,7 +1,10 @@
Description: >
- We develop rodent models of addiction, test addiction-like behaviors, neuroadaptations, and novel treatment approaches
- Applying machine learning and causal inference methods to the analysis of biomedical data.
+ We develop rodent models of addiction, test addiction-like behaviors, neuroadaptations,
+ and novel treatment approaches
+ Applying machine learning and causal inference methods to the analysis of biomedical
+ data.
Department: Psychiatry
FieldOfScience: Health Sciences
Organization: University of California, San Diego
PIName: Olivier George
+FieldOfScienceID: '30.1001'
diff --git a/projects/UCSD_Gilson.yaml b/projects/UCSD_Gilson.yaml
index f0a9f766a..e639772f9 100644
--- a/projects/UCSD_Gilson.yaml
+++ b/projects/UCSD_Gilson.yaml
@@ -1,4 +1,6 @@
-Description: We use theoretical, computational, informatic, and experimental approaches to evaluate and advance the methods of computer-aided drug design. We also work on drug discovery projects and study molecular motors and other nonequilibrium systems.
+Description: We use theoretical, computational, informatic, and experimental approaches
+ to evaluate and advance the methods of computer-aided drug design. We also work
+ on drug discovery projects and study molecular motors and other nonequilibrium systems.
Department: Skaggs School of Pharmacy & Pharmaceutical Sciences
FieldOfScience: Chemistry
Organization: University of California, San Diego
@@ -7,3 +9,4 @@ PIName: Michael Gilson
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/UCSD_Goetz.yaml b/projects/UCSD_Goetz.yaml
index 9b8a18e12..b5ea3b2ca 100644
--- a/projects/UCSD_Goetz.yaml
+++ b/projects/UCSD_Goetz.yaml
@@ -1,12 +1,10 @@
-Description: Emerging machine learning (ML) models enable the design
- of atomistic interaction potentials for molecular simulations that
- are both accurate and computationally efficient. Training of these ML
- models requires a large number of reference data in form of energies and
- nuclear forces of relevant molecular conformations and intermolecular
- interactions. This project will compute accurate quantum mechanical
- reference energies and forces using density functional theory and
- coupled cluster theory of relevance for chemical and biomolecular
- simulations.
+Description: Emerging machine learning (ML) models enable the design of atomistic
+ interaction potentials for molecular simulations that are both accurate and computationally
+ efficient. Training of these ML models requires a large number of reference data
+ in form of energies and nuclear forces of relevant molecular conformations and intermolecular
+ interactions. This project will compute accurate quantum mechanical reference energies
+ and forces using density functional theory and coupled cluster theory of relevance
+ for chemical and biomolecular simulations.
Department: San Diego Supercomputing Center
FieldOfScience: Chemistry
Organization: University of California, San Diego
@@ -15,3 +13,4 @@ PIName: Andreas Goetz
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/UCSD_Grover.yaml b/projects/UCSD_Grover.yaml
index 8d93e97ab..9cbc844db 100644
--- a/projects/UCSD_Grover.yaml
+++ b/projects/UCSD_Grover.yaml
@@ -7,3 +7,4 @@ PIName: Tarun Grover
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/UCSD_Guiang.yaml b/projects/UCSD_Guiang.yaml
index e4677b9fa..a589d44d9 100644
--- a/projects/UCSD_Guiang.yaml
+++ b/projects/UCSD_Guiang.yaml
@@ -7,3 +7,4 @@ PIName: Jonathan Guiang
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/UCSD_Hsiao.yaml b/projects/UCSD_Hsiao.yaml
index f8a9261b0..cc7a7092a 100644
--- a/projects/UCSD_Hsiao.yaml
+++ b/projects/UCSD_Hsiao.yaml
@@ -1,6 +1,4 @@
-Description: "Develop AI algorithm to diagnose CT scans of
- pneumonia patients:
- https://www.kpbs.org/news/2020/apr/07/ucsd-using-ai-identify-pneumonia-coronavirus/"
+Description: 'Develop AI algorithm to diagnose CT scans of pneumonia patients: https://www.kpbs.org/news/2020/apr/07/ucsd-using-ai-identify-pneumonia-coronavirus/'
Department: Radiology
FieldOfScience: Radiological Science
Organization: University of California, San Diego
@@ -11,3 +9,4 @@ ID: '752'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '51'
diff --git a/projects/UCSD_Kandes.yaml b/projects/UCSD_Kandes.yaml
index 9e753d387..acfcc898d 100644
--- a/projects/UCSD_Kandes.yaml
+++ b/projects/UCSD_Kandes.yaml
@@ -1,4 +1,5 @@
-Description: Brute-Force Search for Nonlinear Enhancements to the Sagnac Effect in Matter Waves
+Description: Brute-Force Search for Nonlinear Enhancements to the Sagnac Effect in
+ Matter Waves
Department: San Diego Supercomputing Center
FieldOfScience: Physics
Organization: University of California, San Diego
@@ -9,3 +10,4 @@ ID: '700'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/UCSD_Libgober.yaml b/projects/UCSD_Libgober.yaml
index e7a773853..4696a6e85 100644
--- a/projects/UCSD_Libgober.yaml
+++ b/projects/UCSD_Libgober.yaml
@@ -9,3 +9,4 @@ ID: '769'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '45.1001'
diff --git a/projects/UCSD_McGreevy.yaml b/projects/UCSD_McGreevy.yaml
index 5998eb63a..7dcd78cd5 100644
--- a/projects/UCSD_McGreevy.yaml
+++ b/projects/UCSD_McGreevy.yaml
@@ -7,3 +7,4 @@ PIName: John McGreevy
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/UCSD_Pa.yaml b/projects/UCSD_Pa.yaml
index 773fa7b1c..f34ace0a4 100644
--- a/projects/UCSD_Pa.yaml
+++ b/projects/UCSD_Pa.yaml
@@ -1,10 +1,12 @@
-Description: Big data approaches to investigating modifiable risk factors and lifestyle-based interventions in Alzheimer's disease
-Department: School of Medicine, Alzheimer’s Disease Cooperative Study (ADCS)
-FieldOfScience: Biological Sciences
+Description: Big data approaches to investigating modifiable risk factors and lifestyle-based
+ interventions in Alzheimer's disease
+Department: School of Medicine, Alzheimer’s Disease Cooperative Study (ADCS)
+FieldOfScience: Biological Sciences
Organization: University of California, San Diego
-PIName: Judy Pa
+PIName: Judy Pa
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/UCSD_Politis.yaml b/projects/UCSD_Politis.yaml
index 82816665a..8b00554a4 100644
--- a/projects/UCSD_Politis.yaml
+++ b/projects/UCSD_Politis.yaml
@@ -1,11 +1,12 @@
Description: >
- Bootstrap hypothesis testing methods for time series -
- we are trying to compute the rejection probabilities of our hypothesis
- testing method as a measure of their efficacy. This requires generating
- several samples of time series for a given sample size and hyperparameter
- specification and running our test repeatedly to compute the empirical
- rejection probability. This is done over several sample sizes and hyperparameter specs.
+ Bootstrap hypothesis testing methods for time series - we are trying to compute
+ the rejection probabilities of our hypothesis testing method as a measure of their
+ efficacy. This requires generating several samples of time series for a given sample
+ size and hyperparameter specification and running our test repeatedly to compute
+ the empirical rejection probability. This is done over several sample sizes and
+ hyperparameter specs.
Department: Department of Mathematics
FieldOfScience: Mathematics and Statistics
Organization: University of California, San Diego
PIName: Dimitris N Politis
+FieldOfScienceID: '27.0503'
diff --git a/projects/UCSD_Rao.yaml b/projects/UCSD_Rao.yaml
index 0ff975ec6..2024dc58c 100644
--- a/projects/UCSD_Rao.yaml
+++ b/projects/UCSD_Rao.yaml
@@ -1,7 +1,8 @@
Department: Electrical and Computer Engineering
Description: >
- Machine learning algorithms for signal processing and communications,
- particularly mmWave and medical imaging.
+ Machine learning algorithms for signal processing and communications, particularly
+ mmWave and medical imaging.
FieldOfScience: Computer and Information Sciences
Organization: University of California, San Diego
PIName: Bhaskar Rao
+FieldOfScienceID: 30.7099b
diff --git a/projects/UCSD_Rappel.yaml b/projects/UCSD_Rappel.yaml
index 6ace77ad6..3f5e5f65a 100644
--- a/projects/UCSD_Rappel.yaml
+++ b/projects/UCSD_Rappel.yaml
@@ -9,3 +9,4 @@ ID: '636'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/UCSD_ResearchIT.yaml b/projects/UCSD_ResearchIT.yaml
index 3c255f54d..f952291e5 100644
--- a/projects/UCSD_ResearchIT.yaml
+++ b/projects/UCSD_ResearchIT.yaml
@@ -1,4 +1,4 @@
-Description: General group for OSG testing and prototyping
+Description: General group for OSG testing and prototyping
Department: Information Technology
FieldOfScience: Other
Organization: University of California, San Diego
@@ -9,3 +9,4 @@ ID: '632'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30.3001'
diff --git a/projects/UCSD_Shah.yaml b/projects/UCSD_Shah.yaml
index b51f4cc4e..1b63fd37d 100644
--- a/projects/UCSD_Shah.yaml
+++ b/projects/UCSD_Shah.yaml
@@ -7,3 +7,4 @@ PIName: Nisarg Shah
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.0501'
diff --git a/projects/UCSD_Wuerthwein_CMSUAF.yaml b/projects/UCSD_Wuerthwein_CMSUAF.yaml
index b1449b418..20b9f9e71 100644
--- a/projects/UCSD_Wuerthwein_CMSUAF.yaml
+++ b/projects/UCSD_Wuerthwein_CMSUAF.yaml
@@ -1,6 +1,6 @@
Department: Physics Department
-Description: Work submitted as part of the CMS analysis group at the
- physics department at UCSD
+Description: Work submitted as part of the CMS analysis group at the physics department
+ at UCSD
FieldOfScience: Physics
ID: '791'
Organization: University of California, San Diego
@@ -8,3 +8,4 @@ PIName: Frank Wuerthwein
Sponsor:
CampusGrid:
Name: UCSD
+FieldOfScienceID: '40.08'
diff --git a/projects/UCSD_Xu.yaml b/projects/UCSD_Xu.yaml
index a7790962e..bf688db93 100644
--- a/projects/UCSD_Xu.yaml
+++ b/projects/UCSD_Xu.yaml
@@ -1,4 +1,5 @@
-Description: Applying machine learning and causal inference methods to the analysis of biomedical data.
+Description: Applying machine learning and causal inference methods to the analysis
+ of biomedical data.
Department: Mathematics
FieldOfScience: Mathematics
Organization: University of California, San Diego
@@ -7,3 +8,4 @@ PIName: Ronghui (Lily) Xu
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27.01'
diff --git a/projects/UCSD_YZYou.yaml b/projects/UCSD_YZYou.yaml
index de124c699..ebdce4e26 100644
--- a/projects/UCSD_YZYou.yaml
+++ b/projects/UCSD_YZYou.yaml
@@ -1,4 +1,7 @@
-Description: Numerical verification of the entanglement feature (EF) approach to modeling the second Renyi entropy growth of a random circuit. We will compare the exact calculation to the calculation using the EF Hamiltonian, derived separately using analytical techniques.
+Description: Numerical verification of the entanglement feature (EF) approach to modeling
+ the second Renyi entropy growth of a random circuit. We will compare the exact calculation
+ to the calculation using the EF Hamiltonian, derived separately using analytical
+ techniques.
Department: Physics
FieldOfScience: Physics
Organization: University of California, San Diego
@@ -9,3 +12,4 @@ ID: '579'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/UCSF_Manglik.yaml b/projects/UCSF_Manglik.yaml
index d7eab418e..1a95e0271 100644
--- a/projects/UCSF_Manglik.yaml
+++ b/projects/UCSF_Manglik.yaml
@@ -9,3 +9,4 @@ ID: '736'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/UChicago-RCC.yaml b/projects/UChicago-RCC.yaml
index b1dc9fb87..35cdd0575 100644
--- a/projects/UChicago-RCC.yaml
+++ b/projects/UChicago-RCC.yaml
@@ -8,3 +8,4 @@ PIName: Birali Runesha
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30.3001'
diff --git a/projects/UChicago_Barton.yaml b/projects/UChicago_Barton.yaml
index acbc60f76..48f06c3c5 100644
--- a/projects/UChicago_Barton.yaml
+++ b/projects/UChicago_Barton.yaml
@@ -9,3 +9,4 @@ ID: '662'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30.3001'
diff --git a/projects/UChicago_Jonas.yaml b/projects/UChicago_Jonas.yaml
index 466d2e4f2..0e205dfc8 100644
--- a/projects/UChicago_Jonas.yaml
+++ b/projects/UChicago_Jonas.yaml
@@ -9,3 +9,4 @@ ID: '786'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/UConn_Alpay.yaml b/projects/UConn_Alpay.yaml
index 58c201b20..524bbdc7b 100644
--- a/projects/UConn_Alpay.yaml
+++ b/projects/UConn_Alpay.yaml
@@ -1,9 +1,13 @@
Description: >
- Our team of scientists uses computational and theoretical methodologies to understand and address
- fundamental problems in materials science and engineering. Collectively, we have a broad spectrum of research interests
- with myriad applications. We use our understanding to design advanced materials that impact the way we live,
- including functional materials, smart materials, aerospace, nanostructured materials and materials for energy efficiency. https://alpay.ims.uconn.edu/
+ Our team of scientists uses computational and theoretical methodologies to understand
+ and address
+ fundamental problems in materials science and engineering. Collectively, we have
+ a broad spectrum of research interests with myriad applications. We use our understanding
+ to design advanced materials that impact the way we live, including functional
+ materials, smart materials, aerospace, nanostructured materials and materials for
+ energy efficiency. https://alpay.ims.uconn.edu/
Department: Materials Science and Engineering
FieldOfScience: Materials Science
Organization: University of Connecticut
PIName: Pamir Alpay
+FieldOfScienceID: '40.1001'
diff --git a/projects/UConn_Le.yaml b/projects/UConn_Le.yaml
index 3873f30f5..0d537376a 100644
--- a/projects/UConn_Le.yaml
+++ b/projects/UConn_Le.yaml
@@ -1,4 +1,5 @@
-Description: 'Methods for ultrafast molecular structure imaging with ultrashort intense laser pulses'
+Description: Methods for ultrafast molecular structure imaging with ultrashort intense
+ laser pulses
Department: Physics
FieldOfScience: Physics
Organization: University of Connecticut
@@ -7,3 +8,4 @@ PIName: Thu Le
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/UConn_Zhang.yaml b/projects/UConn_Zhang.yaml
index e557269ca..dd252759f 100644
--- a/projects/UConn_Zhang.yaml
+++ b/projects/UConn_Zhang.yaml
@@ -1,5 +1,5 @@
-Description: Graph-based clustering method with application
- to single-cell RNA-seq data from human pancreatic islets
+Description: Graph-based clustering method with application to single-cell RNA-seq
+ data from human pancreatic islets
Department: Department of Statistics
FieldOfScience: Mathmatics and Statistics
Organization: University of Connecticut
@@ -10,3 +10,4 @@ ID: '780'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27'
diff --git a/projects/UConn_Zhu.yaml b/projects/UConn_Zhu.yaml
index ad0219221..2ef4d1a0a 100644
--- a/projects/UConn_Zhu.yaml
+++ b/projects/UConn_Zhu.yaml
@@ -9,3 +9,4 @@ PIName: Zhe Zhu
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40'
diff --git a/projects/UEdinburgh_DUNE.yaml b/projects/UEdinburgh_DUNE.yaml
index 30ac87ab6..c58cd2a6a 100644
--- a/projects/UEdinburgh_DUNE.yaml
+++ b/projects/UEdinburgh_DUNE.yaml
@@ -1,4 +1,5 @@
-Description: The Deep Underground Neutrino Experiment is an international flagship experiment to unlock the mysteries of neutrinos.
+Description: The Deep Underground Neutrino Experiment is an international flagship
+ experiment to unlock the mysteries of neutrinos.
Department: Physics and Astronomy
FieldOfScience: Physics
Organization: University of Edinburgh
@@ -9,3 +10,4 @@ ID: '821'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/UF_Hirschfeld.yaml b/projects/UF_Hirschfeld.yaml
index bf24f5201..cc32e01d8 100644
--- a/projects/UF_Hirschfeld.yaml
+++ b/projects/UF_Hirschfeld.yaml
@@ -1,5 +1,6 @@
-Description: Magnetic and toopological properties of line defects in multiband superconductors. use Bogoliubov-de Gennes equations
-Department: Physics dept.
+Description: Magnetic and toopological properties of line defects in multiband superconductors.
+ use Bogoliubov-de Gennes equations
+Department: Physics dept.
FieldOfScience: Physics
Organization: University of Florida
PIName: Peter Hirschfeld
@@ -8,3 +9,4 @@ PIName: Peter Hirschfeld
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/UF_Staff.yaml b/projects/UF_Staff.yaml
index 22957fa6f..ef3aa1fc4 100644
--- a/projects/UF_Staff.yaml
+++ b/projects/UF_Staff.yaml
@@ -9,3 +9,4 @@ ID: '729'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 11.0701a
diff --git a/projects/UF_Strother.yaml b/projects/UF_Strother.yaml
index da4e54e36..d9eb569f0 100644
--- a/projects/UF_Strother.yaml
+++ b/projects/UF_Strother.yaml
@@ -1,10 +1,12 @@
Description: >
- The Strother Lab focuses on questions at the interface between physiology and physics.
- Our lab is especially interested in understanding processes at multiple levels of organization,
- from the properties of individual cells up to the responses of the whole animal.
- Current projects in the lab examine a range of topics, including the effects of stress on animal behavior,
+ The Strother Lab focuses on questions at the interface between physiology and physics. Our
+ lab is especially interested in understanding processes at multiple levels of organization, from
+ the properties of individual cells up to the responses of the whole animal. Current
+ projects in the lab examine a range of topics, including the effects of stress on
+ animal behavior,
nervous control of the cardiovascular system, and sensory physiology. See also www.strotherlab.org.
Department: Whitney Laboratory for Marine Bioscience
FieldOfScience: Neuroscience, biomechanics, microscopy
Organization: University of Florida
PIName: James Strother
+FieldOfScienceID: '26'
diff --git a/projects/UHITSACI.yaml b/projects/UHITSACI.yaml
index e14b09d55..0eca06bd9 100644
--- a/projects/UHITSACI.yaml
+++ b/projects/UHITSACI.yaml
@@ -7,3 +7,4 @@ PIName: Sean Cleveland
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/UIowa_Reno.yaml b/projects/UIowa_Reno.yaml
index 8e6e823d2..51db5ed70 100644
--- a/projects/UIowa_Reno.yaml
+++ b/projects/UIowa_Reno.yaml
@@ -1,4 +1,5 @@
-Description: Developing a mission-independent neutrino & lepton simulation/propagation package
+Description: Developing a mission-independent neutrino & lepton simulation/propagation
+ package
Department: Physics & Astronomy
FieldOfScience: Astronomy
Organization: University of Iowa
@@ -9,3 +10,4 @@ ID: '807'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.02'
diff --git a/projects/UIowa_Sahin.yaml b/projects/UIowa_Sahin.yaml
index fd01bdd3a..1708149cb 100644
--- a/projects/UIowa_Sahin.yaml
+++ b/projects/UIowa_Sahin.yaml
@@ -9,3 +9,4 @@ ID: '761'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0808'
diff --git a/projects/UIowa_Villarini.yaml b/projects/UIowa_Villarini.yaml
index b8ee711c9..97a8feb1b 100644
--- a/projects/UIowa_Villarini.yaml
+++ b/projects/UIowa_Villarini.yaml
@@ -1,4 +1,6 @@
-Description: The research will focus broadly on flood hydrology, extreme events, hydroloclimatology, and climate predictions. It will be done by the processing of spatial and temporal datasets and running simple statistical models.
+Description: The research will focus broadly on flood hydrology, extreme events, hydroloclimatology,
+ and climate predictions. It will be done by the processing of spatial and temporal
+ datasets and running simple statistical models.
Department: Civil and Environmental Engineering
FieldOfScience: Civil Engineering
Organization: University of Iowa
@@ -7,3 +9,4 @@ PIName: Gabriele Villarini
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.08'
diff --git a/projects/UMCES_Fitzpatrick.yaml b/projects/UMCES_Fitzpatrick.yaml
index 03c004387..e96957b0e 100644
--- a/projects/UMCES_Fitzpatrick.yaml
+++ b/projects/UMCES_Fitzpatrick.yaml
@@ -1,4 +1,5 @@
-Description: Using machine learning and other methods to modeling the vulnerability of species to climate change.
+Description: Using machine learning and other methods to modeling the vulnerability
+ of species to climate change.
Department: Appalachian Lab
FieldOfScience: Biological Sciences
Organization: University of Maryland Center for Environmental Science
@@ -9,3 +10,4 @@ ID: '787'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/UMN_RF_Staff.yaml b/projects/UMN_RF_Staff.yaml
index 1da44a060..9ff526750 100644
--- a/projects/UMN_RF_Staff.yaml
+++ b/projects/UMN_RF_Staff.yaml
@@ -7,3 +7,4 @@ PIName: Charles Nguyen
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.01'
diff --git a/projects/UMT_Warren.yaml b/projects/UMT_Warren.yaml
index 007f61089..fbfc28f86 100644
--- a/projects/UMT_Warren.yaml
+++ b/projects/UMT_Warren.yaml
@@ -1,5 +1,8 @@
Department: School of Public and Community Health Services
-Description: Public health projects such as the effect of wildfires on the respiratory health of children in rural vs urban areas, hydrology modeling in the continental US using realtime GIS data and genetic and migratory patterns in animal populations whose movement is impacted by man-made structures.
+Description: Public health projects such as the effect of wildfires on the respiratory
+ health of children in rural vs urban areas, hydrology modeling in the continental
+ US using realtime GIS data and genetic and migratory patterns in animal populations
+ whose movement is impacted by man-made structures.
FieldOfScience: Mathematics and Statistics
ID: '610'
Organization: University of Montana
@@ -7,3 +10,4 @@ PIName: Allen Warren
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27'
diff --git a/projects/UMaine_Vel.yaml b/projects/UMaine_Vel.yaml
index 2598feb85..71b6b3ff7 100644
--- a/projects/UMaine_Vel.yaml
+++ b/projects/UMaine_Vel.yaml
@@ -1,5 +1,6 @@
-Description: Study the nonlinear elastic behavior of nanomaterials using a polynomial based constitutive equation to model the behavior of the materials.
-Department: Mechanical Engineering
+Description: Study the nonlinear elastic behavior of nanomaterials using a polynomial
+ based constitutive equation to model the behavior of the materials.
+Department: Mechanical Engineering
FieldOfScience: Materials Science
Organization: University of Maine
PIName: Senthil S. Vel
@@ -8,3 +9,4 @@ PIName: Senthil S. Vel
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.1001'
diff --git a/projects/UMassAmherst_Sloutsky.yaml b/projects/UMassAmherst_Sloutsky.yaml
index 29cd05386..d1bb0de16 100644
--- a/projects/UMassAmherst_Sloutsky.yaml
+++ b/projects/UMassAmherst_Sloutsky.yaml
@@ -1,4 +1,5 @@
-Description: Evolutionary reconstructions and molecular simulations of extant and ancestral proteins.
+Description: Evolutionary reconstructions and molecular simulations of extant and
+ ancestral proteins.
Department: Biochemistry and Molecular Biology
FieldOfScience: Biological Sciences
Organization: University of Massachusetts Amherst
@@ -9,3 +10,4 @@ ID: '694'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/UMassLowell_Delhommelle.yaml b/projects/UMassLowell_Delhommelle.yaml
index 65caf402c..edba082af 100644
--- a/projects/UMassLowell_Delhommelle.yaml
+++ b/projects/UMassLowell_Delhommelle.yaml
@@ -1,5 +1,5 @@
-Description: Unraveling Crystallization and Phase Transition Processes
- through Topology, Rare-Event Simulations, and Machine Learning
+Description: Unraveling Crystallization and Phase Transition Processes through Topology,
+ Rare-Event Simulations, and Machine Learning
Department: Chemistry
FieldOfScience: Physical Chemistry
Organization: University of Massachusetts Lowell
@@ -8,3 +8,4 @@ PIName: Jerome Delhommelle
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0506'
diff --git a/projects/UMassLowell_Laycock.yaml b/projects/UMassLowell_Laycock.yaml
index 0f19dd319..a0695936f 100644
--- a/projects/UMassLowell_Laycock.yaml
+++ b/projects/UMassLowell_Laycock.yaml
@@ -1,5 +1,5 @@
-Description: Understanding the accretion and Stellar wind interaction
- in Black hole+massive star binary system.
+Description: Understanding the accretion and Stellar wind interaction in Black hole+massive
+ star binary system.
Department: Department Of Physics
FieldOfScience: Astronomy and Astrophysics
Organization: University of Massachusetts Lowell
@@ -8,3 +8,4 @@ PIName: Silas G. T. Laycock
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0202'
diff --git a/projects/UMich.yaml b/projects/UMich.yaml
index 389ec9596..8fef43c3e 100644
--- a/projects/UMich.yaml
+++ b/projects/UMich.yaml
@@ -8,3 +8,4 @@ PIName: Paul Wolberg
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '26.05'
diff --git a/projects/UMiss_Gupta.yaml b/projects/UMiss_Gupta.yaml
index c7986c9ca..1677930a3 100644
--- a/projects/UMiss_Gupta.yaml
+++ b/projects/UMiss_Gupta.yaml
@@ -4,3 +4,4 @@ Description: 'We are studying the evolution of binary black holes and it would b
FieldOfScience: Astronomy and Astrophysics
Organization: University of Mississippi
PIName: Anuradha Gupta
+FieldOfScienceID: '40.0202'
diff --git a/projects/UMiss_Stein.yaml b/projects/UMiss_Stein.yaml
index f42eb40dc..a5eb95124 100644
--- a/projects/UMiss_Stein.yaml
+++ b/projects/UMiss_Stein.yaml
@@ -1,4 +1,4 @@
-Description: Numerical Relativity and Gravitational-wave physics
+Description: Numerical Relativity and Gravitational-wave physics
Department: Physics and Astronomy
FieldOfScience: Physics
Organization: University of Mississippi
@@ -9,3 +9,4 @@ ID: '839'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/UMissouri_Nada.yaml b/projects/UMissouri_Nada.yaml
index 163a49b54..b19c9b682 100644
--- a/projects/UMissouri_Nada.yaml
+++ b/projects/UMissouri_Nada.yaml
@@ -1,7 +1,6 @@
-Description: >-
- Running segmentation of 100 subjects through Freesurfer. Comparing the volumetric
- measurements of the
- midbrain between the disease group (PS) and control group.
+Description: >-
+ Running segmentation of 100 subjects through Freesurfer. Comparing the volumetric measurements
+ of the midbrain between the disease group (PS) and control group.
PSP is a movement disorder characterized by atrophy of the midbrain.
We investigate quantification of the midbrain volume to early predict the disease.
Department: Radiology Department
@@ -13,3 +12,4 @@ PIName: Ayman Nada
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.0102'
diff --git a/projects/UMontana_Roy.yaml b/projects/UMontana_Roy.yaml
index 8b3e4211c..0ba834d95 100644
--- a/projects/UMontana_Roy.yaml
+++ b/projects/UMontana_Roy.yaml
@@ -1,15 +1,22 @@
Description: >
- 1) Virtual screening - Computational or virtual screening of molecules can accelerate drug development programs.
- We have developed a virtual screening method to screen billions of molecules for hit generation against specific protein targets.
- We want to develop the method further and also want to use the method to develop hits against specific proteins,
- such as the one announced in this competition. https://cache-challenge.org/ 2) Entropy from surface properties -
- Calculating entropy is tricky, as, in principle, it requires sampling vast phase space to count all available microstates.
- We are developing a method for calculating the entropy of small molecules from their surface properties.
- Such a method will benefit computational chemistry, especially the virtual screening community. https://www.biorxiv.org/content/10.1101/2021.05.26.445640v1.abstract
- 3) Transferability of polygenic risk scores (PRS) - PRS is a useful tool to estimate one's health condition propensity from their genetic makeup.
- Historically, most of the PRS models were built from European ancestry samples. We are working on a network model to identify the best way
- to transfer a PRS model from the population it was developed for to another population not included in the study.
+ 1) Virtual screening - Computational or virtual screening of molecules can accelerate
+ drug development programs.
+ We have developed a virtual screening method to screen billions of molecules for
+ hit generation against specific protein targets. We want to develop the method
+ further and also want to use the method to develop hits against specific proteins, such
+ as the one announced in this competition. https://cache-challenge.org/ 2) Entropy
+ from surface properties - Calculating entropy is tricky, as, in principle, it requires
+ sampling vast phase space to count all available microstates. We are developing
+ a method for calculating the entropy of small molecules from their surface properties. Such
+ a method will benefit computational chemistry, especially the virtual screening
+ community. https://www.biorxiv.org/content/10.1101/2021.05.26.445640v1.abstract 3)
+ Transferability of polygenic risk scores (PRS) - PRS is a useful tool to estimate
+ one's health condition propensity from their genetic makeup. Historically, most
+ of the PRS models were built from European ancestry samples. We are working on a
+ network model to identify the best way to transfer a PRS model from the population
+ it was developed for to another population not included in the study.
Department: Department of Biomedical and Pharmaceutical Sciences
FieldOfScience: Biological and Biomedical Sciences
Organization: University of Montana
-PIName: Amitava Roy
+PIName: Amitava Roy
+FieldOfScienceID: '26.1199'
diff --git a/projects/UMontana_Wheeler.yaml b/projects/UMontana_Wheeler.yaml
index f379fd736..5df9451ed 100644
--- a/projects/UMontana_Wheeler.yaml
+++ b/projects/UMontana_Wheeler.yaml
@@ -1,10 +1,12 @@
-Description: Develop software for computational genomics and drug discovery, and apply that software at scale – http://wheelerlab.org
+Description: Develop software for computational genomics and drug discovery, and apply
+ that software at scale – http://wheelerlab.org
Department: Computer Science department
FieldOfScience: Biological and Biomedical Sciences
Organization: University of Montana
-PIName: Travis Wheeler
+PIName: Travis Wheeler
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/UNC-RESOLVE-photometry.yaml b/projects/UNC-RESOLVE-photometry.yaml
index c463536dc..de7dea191 100644
--- a/projects/UNC-RESOLVE-photometry.yaml
+++ b/projects/UNC-RESOLVE-photometry.yaml
@@ -7,3 +7,4 @@ PIName: David Stark
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '40.1101'
diff --git a/projects/UNC_Drut.yaml b/projects/UNC_Drut.yaml
index 2591b8483..ae2cc6750 100644
--- a/projects/UNC_Drut.yaml
+++ b/projects/UNC_Drut.yaml
@@ -9,3 +9,4 @@ ID: '709'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/UND_Delhommelle.yaml b/projects/UND_Delhommelle.yaml
index 80f3482d9..2549be98b 100644
--- a/projects/UND_Delhommelle.yaml
+++ b/projects/UND_Delhommelle.yaml
@@ -1,5 +1,5 @@
-Description: Unraveling Crystallization and Phase Transition Processes
- through Topology, Rare-Event Simulations, and Machine Learning
+Description: Unraveling Crystallization and Phase Transition Processes through Topology,
+ Rare-Event Simulations, and Machine Learning
Department: Chemistry
FieldOfScience: Physical Chemistry
Organization: University of North Dakota
@@ -8,3 +8,4 @@ PIName: Jerome Delhommelle
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0506'
diff --git a/projects/UNH-IMD.yaml b/projects/UNH-IMD.yaml
index cc07d070a..21715cfc2 100644
--- a/projects/UNH-IMD.yaml
+++ b/projects/UNH-IMD.yaml
@@ -8,3 +8,4 @@ PIName: Dequan Xiao
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/UNI_Staff.yaml b/projects/UNI_Staff.yaml
index 6a7836363..69f2be357 100644
--- a/projects/UNI_Staff.yaml
+++ b/projects/UNI_Staff.yaml
@@ -3,3 +3,4 @@ Department: Information Technology, Network & Infrastructure Services
FieldOfScience: Training
Organization: University of Northern Iowa
PIName: Wesley Jones
+FieldOfScienceID: '30.3001'
diff --git a/projects/UNL_Cui.yaml b/projects/UNL_Cui.yaml
index 92408a90c..e66904576 100644
--- a/projects/UNL_Cui.yaml
+++ b/projects/UNL_Cui.yaml
@@ -1,4 +1,8 @@
-Description: Understanding complex biological systems, e.g. human diseases such as obesity and cancer, through data integration, computational modeling and knowledge discovery, to systematically understand the alterations of cells and organisms in response to environmental stimuli, and to elucidate the molecular interaction network involved in complex biological processes.
+Description: Understanding complex biological systems, e.g. human diseases such as
+ obesity and cancer, through data integration, computational modeling and knowledge
+ discovery, to systematically understand the alterations of cells and organisms in
+ response to environmental stimuli, and to elucidate the molecular interaction network
+ involved in complex biological processes.
Department: Biological Sciences
FieldOfScience: Biological Sciences
Organization: University of Nebraska - Lincoln
@@ -9,3 +13,4 @@ ID: '841'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/UNL_Fuchs.yaml b/projects/UNL_Fuchs.yaml
index 9c6fa7565..a5c1e9060 100644
--- a/projects/UNL_Fuchs.yaml
+++ b/projects/UNL_Fuchs.yaml
@@ -7,3 +7,4 @@ PIName: Matthias Fuchs
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/UNL_Hebets.yaml b/projects/UNL_Hebets.yaml
index 6bd82256c..e0a43ef75 100644
--- a/projects/UNL_Hebets.yaml
+++ b/projects/UNL_Hebets.yaml
@@ -3,3 +3,4 @@ Department: Biological Sciences
FieldOfScience: Biological Sciences
Organization: University of Nebraska-Lincoln
PIName: Eileen Hebets
+FieldOfScienceID: '26'
diff --git a/projects/UNL_Howard.yaml b/projects/UNL_Howard.yaml
index bc73954a6..85c77e69c 100644
--- a/projects/UNL_Howard.yaml
+++ b/projects/UNL_Howard.yaml
@@ -7,3 +7,4 @@ PIName: Reka Howard
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/UNL_Ramamurthy.yaml b/projects/UNL_Ramamurthy.yaml
index 84d2bb6c7..72d24cdfc 100644
--- a/projects/UNL_Ramamurthy.yaml
+++ b/projects/UNL_Ramamurthy.yaml
@@ -3,3 +3,4 @@ Description: Research on optimizing large data transfers for science experiments
FieldOfScience: Computer and Information Services
Organization: University of Nebraska-Lincoln
PIName: Byrav Ramamurthy
+FieldOfScienceID: '11.01'
diff --git a/projects/UNL_Stolle.yaml b/projects/UNL_Stolle.yaml
index 7189d8ca8..efd61097b 100644
--- a/projects/UNL_Stolle.yaml
+++ b/projects/UNL_Stolle.yaml
@@ -9,3 +9,4 @@ ID: '838'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14'
diff --git a/projects/UNL_Weitzel.yaml b/projects/UNL_Weitzel.yaml
index 02be7a9a5..edd6b07e5 100644
--- a/projects/UNL_Weitzel.yaml
+++ b/projects/UNL_Weitzel.yaml
@@ -7,3 +7,4 @@ PIName: Derek Weitzel
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/UNL_Yang.yaml b/projects/UNL_Yang.yaml
index 32924c177..602a06d50 100644
--- a/projects/UNL_Yang.yaml
+++ b/projects/UNL_Yang.yaml
@@ -9,3 +9,4 @@ ID: '837'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '01'
diff --git a/projects/UNL_Zhang.yaml b/projects/UNL_Zhang.yaml
index b2d6f3aaf..0b7381e00 100644
--- a/projects/UNL_Zhang.yaml
+++ b/projects/UNL_Zhang.yaml
@@ -1,4 +1,5 @@
-Description: Designing statistically rigorous and physically sound models to integrate genome sequences, expression profiles, molecular interactions, and protein structures
+Description: Designing statistically rigorous and physically sound models to integrate
+ genome sequences, expression profiles, molecular interactions, and protein structures
Department: Biological Sciences
FieldOfScience: Biological Sciences
Organization: University of Nebraska - Lincoln
@@ -9,3 +10,4 @@ ID: '840'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/UNLbcrf.yaml b/projects/UNLbcrf.yaml
index 9623df06a..194be3474 100644
--- a/projects/UNLbcrf.yaml
+++ b/projects/UNLbcrf.yaml
@@ -12,3 +12,4 @@ PIName: Jean-Jack M. Riethoven
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/UNM_Gulisija.yaml b/projects/UNM_Gulisija.yaml
index 19a9dbbfc..9c2cff898 100644
--- a/projects/UNM_Gulisija.yaml
+++ b/projects/UNM_Gulisija.yaml
@@ -1,4 +1,6 @@
-Description: Develop theoretical models, statistical approaches, and computer simulations to elucidate mechanisms of rapid genetic adaptation to environmental change, such as due to global climate change or habitat invasions.
+Description: Develop theoretical models, statistical approaches, and computer simulations
+ to elucidate mechanisms of rapid genetic adaptation to environmental change, such
+ as due to global climate change or habitat invasions.
Department: Department of Biology
FieldOfScience: Biological and Biomedical Sciences
Organization: University of New Mexico
@@ -7,3 +9,4 @@ PIName: Davorka Gulisija
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/UNOmaha_Chase.yaml b/projects/UNOmaha_Chase.yaml
index fe9e39f65..902cf8842 100644
--- a/projects/UNOmaha_Chase.yaml
+++ b/projects/UNOmaha_Chase.yaml
@@ -1,4 +1,4 @@
-Description: Training neural networks to track animal movement
+Description: Training neural networks to track animal movement
Department: Psychology
FieldOfScience: Biological Sciences
Organization: University of Nebraska Omaha
@@ -9,3 +9,4 @@ ID: '725'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/UOregon_Melgar.yaml b/projects/UOregon_Melgar.yaml
index f1d7502c9..b1b2600d1 100644
--- a/projects/UOregon_Melgar.yaml
+++ b/projects/UOregon_Melgar.yaml
@@ -1,8 +1,9 @@
Department: Cascadia Region Earthquake Science Center
Description: >-
- Conducting earthquake simulations as part of a larger collaboration
- (https://github.com/Marcus-Adair/Accelerating-Data-Intensive-Seismic-Research-Through-Parallel-Workflow-Optimization-and-Federated-CI).
- Planning to eventually run some ML for graph neural network GNSS denoising."
+ Conducting earthquake simulations as part of a larger collaboration
+ (https://github.com/Marcus-Adair/Accelerating-Data-Intensive-Seismic-Research-Through-Parallel-Workflow-Optimization-and-Federated-CI).
+ Planning to eventually run some ML for graph neural network GNSS denoising."
FieldOfScience: Geological and Earth Sciences
Organization: University of Oregon
PIName: Diego Melgar
+FieldOfScienceID: '40.06'
diff --git a/projects/UOregon_Shende.yaml b/projects/UOregon_Shende.yaml
index bb9b6fb22..085269702 100644
--- a/projects/UOregon_Shende.yaml
+++ b/projects/UOregon_Shende.yaml
@@ -1,18 +1,17 @@
-Description: The project will evaluate the feasibility of using
- Singularity containers from the Extreme-scale Scientific Software Stack
- (E4S)[https://e4s.io] in the Open Science Grid to support HPC and
- AI/ML workflows. E4S includes support for 100+ HPC products (e.g., TAU,
- Trilinos, PETSc, OpenMPI, MPICH, Kokkos, HDF5) and AI/ML products (e.g.,
- TensorFlow, PyTorch) optimized for GPUs from three vendors (Intel,
- AMD, and NVIDIA). It supports LLVM compilers, vendor compilers (NVHPC,
- oneAPI, ROCm hipcc), on multiple architectures (including x86_64,
- ppc64le, and aarch64).
-Department: Performance Research Laboratory, Oregon Advanced Computing
- Institute for Science and Society (OACISS)
-FieldOfScience: Computer and Information Services
+Description: The project will evaluate the feasibility of using Singularity containers
+ from the Extreme-scale Scientific Software Stack (E4S)[https://e4s.io] in the Open
+ Science Grid to support HPC and AI/ML workflows. E4S includes support for 100+ HPC
+ products (e.g., TAU, Trilinos, PETSc, OpenMPI, MPICH, Kokkos, HDF5) and AI/ML products
+ (e.g., TensorFlow, PyTorch) optimized for GPUs from three vendors (Intel, AMD, and
+ NVIDIA). It supports LLVM compilers, vendor compilers (NVHPC, oneAPI, ROCm hipcc),
+ on multiple architectures (including x86_64, ppc64le, and aarch64).
+Department: Performance Research Laboratory, Oregon Advanced Computing Institute for
+ Science and Society (OACISS)
+FieldOfScience: Computer and Information Services
Organization: University of Oregon
PIName: Sameer Shende
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.01'
diff --git a/projects/UPCDOSAR.yaml b/projects/UPCDOSAR.yaml
index 71b619cda..129c94c90 100644
--- a/projects/UPCDOSAR.yaml
+++ b/projects/UPCDOSAR.yaml
@@ -12,3 +12,4 @@ PIName: Rob Quick
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0808'
diff --git a/projects/UPRM_Ramos.yaml b/projects/UPRM_Ramos.yaml
index 8139b2c4b..4e63da88e 100644
--- a/projects/UPRM_Ramos.yaml
+++ b/projects/UPRM_Ramos.yaml
@@ -1,10 +1,9 @@
-Description: At present we are conducting molecular dynamics
- simulations to study the interaction of peptides and membranes.
- We are aiming at understanding the mechanisms (mechanical and/or
- electroestatic) that are involved in the formation of pores in
- membranes. In order to study these systems we are performing
- molecular dynamics simulations with NAMD and different force
- fields like charmm to simulate the formation of the pores.
+Description: At present we are conducting molecular dynamics simulations to study
+ the interaction of peptides and membranes. We are aiming at understanding the mechanisms
+ (mechanical and/or electroestatic) that are involved in the formation of pores in
+ membranes. In order to study these systems we are performing molecular dynamics
+ simulations with NAMD and different force fields like charmm to simulate the formation
+ of the pores.
Department: Department of Physics
FieldOfScience: Physics
Organization: University of Puerto Rico - Mayaguez
@@ -13,3 +12,4 @@ PIName: Rafael A. Ramos
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/UPRRP-MR.yaml b/projects/UPRRP-MR.yaml
index ad6d7d0d6..20080529e 100644
--- a/projects/UPRRP-MR.yaml
+++ b/projects/UPRRP-MR.yaml
@@ -1,15 +1,15 @@
Department: Physics / Biology
-Description: "In this collaborative project between bioinformatics and physics we\
- \ use molecular evolution simulations to evolve a population of proteins. We look\
- \ for the emergence of mutational robustness of proteins in the population. This\
- \ quantity measures how resistant they are to the deleterious effects of mutations.\
- \ Previous results from Dr. Massey's group suggest that mutational robustness increases\
- \ and eventually converges over time. This appears to be an emergent property of\
- \ proteins. It has profound evolutionary implications. \n\nThe protein structures\
- \ are obtained from the Protein Data Bank. Non-robust sequences are threaded onto\
- \ the structure and are subjected to random mutations. The resulting sequences are\
- \ selected for their free energy of folding. Once the sequences are generated the\
- \ mutational robustness is calculated in parallel (through Condor)."
+Description: "In this collaborative project between bioinformatics and physics we
+ use molecular evolution simulations to evolve a population of proteins. We look
+ for the emergence of mutational robustness of proteins in the population. This quantity
+ measures how resistant they are to the deleterious effects of mutations. Previous
+ results from Dr. Massey's group suggest that mutational robustness increases and
+ eventually converges over time. This appears to be an emergent property of proteins.
+ It has profound evolutionary implications. \n\nThe protein structures are obtained
+ from the Protein Data Bank. Non-robust sequences are threaded onto the structure
+ and are subjected to random mutations. The resulting sequences are selected for
+ their free energy of folding. Once the sequences are generated the mutational robustness
+ is calculated in parallel (through Condor)."
FieldOfScience: Bioinformatics
ID: '42'
Organization: Universidad de Puerto Rico, Rio Piedras Campus (UPRRP)
@@ -17,3 +17,4 @@ PIName: Steven Massey
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '26.1103'
diff --git a/projects/UPenn_Ramdas.yaml b/projects/UPenn_Ramdas.yaml
index e619a13e1..df5137106 100644
--- a/projects/UPenn_Ramdas.yaml
+++ b/projects/UPenn_Ramdas.yaml
@@ -1,4 +1,5 @@
-Description: Identifying causal Mendelian genes for neurodevelopmental disorders using singletons
+Description: Identifying causal Mendelian genes for neurodevelopmental disorders using
+ singletons
Department: Genetics
FieldOfScience: Health
Organization: University of Pennsylvania
@@ -9,3 +10,4 @@ ID: '765'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '51'
diff --git a/projects/USC_CARC.yaml b/projects/USC_CARC.yaml
index 23982b885..e8aeaf2fe 100644
--- a/projects/USC_CARC.yaml
+++ b/projects/USC_CARC.yaml
@@ -7,3 +7,4 @@ PIName: BD Kim
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/USC_Deelman.yaml b/projects/USC_Deelman.yaml
index 13ee052de..a60629519 100644
--- a/projects/USC_Deelman.yaml
+++ b/projects/USC_Deelman.yaml
@@ -1,4 +1,4 @@
-Description: "Pegasus workflow management system - development and testing"
+Description: Pegasus workflow management system - development and testing
FieldOfScience: Computer and Information Science and Engineering
ID: '690'
Organization: University of Southern California
@@ -8,3 +8,4 @@ Sponsor:
CampusGrid:
Name: ISI
+FieldOfScienceID: 11.0701b
diff --git a/projects/USC_Rahbari.yaml b/projects/USC_Rahbari.yaml
index c7382225b..5f3293bd4 100644
--- a/projects/USC_Rahbari.yaml
+++ b/projects/USC_Rahbari.yaml
@@ -1,4 +1,7 @@
-Description: The present project aims at developing a multi-fidelity platform for uncertainty quantification of the air flow simulations over a common aerodynamic object. Thousands of low-fidelity, yet fast, simulations are required to construct the basis of this platform.
+Description: The present project aims at developing a multi-fidelity platform for
+ uncertainty quantification of the air flow simulations over a common aerodynamic
+ object. Thousands of low-fidelity, yet fast, simulations are required to construct
+ the basis of this platform.
Department: Center for Advanced Research Computing
FieldOfScience: Mechanical Engineering
Organization: University of Southern California
@@ -7,3 +10,4 @@ PIName: Iman Rahbari
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.1901'
diff --git a/projects/USDA_Andorf.yaml b/projects/USDA_Andorf.yaml
index 27576959c..a36284156 100644
--- a/projects/USDA_Andorf.yaml
+++ b/projects/USDA_Andorf.yaml
@@ -1,8 +1,11 @@
Description: >
- The research is part of the Maize Genetics and Genomics Database (MaizeGD) to utilize protein structure models to improve maize functional genomics.
- The project will generate new protein structure models to improve functional classification, canonical isoform detection,
- gene structure annotation, and assigning confidence scores to point mutations based on the likelihood to change function.
+ The research is part of the Maize Genetics and Genomics Database (MaizeGD) to utilize
+ protein structure models to improve maize functional genomics.
+ The project will generate new protein structure models to improve functional classification,
+ canonical isoform detection, gene structure annotation, and assigning confidence
+ scores to point mutations based on the likelihood to change function.
Department: Midwest Area, Corn Insects, and Crop Genetics Research Unit
FieldOfScience: Biological and Biomedical Sciences
Organization: United States Department of Agriculture
PIName: Carson Andorf
+FieldOfScienceID: '26'
diff --git a/projects/USD_PHYS733.yaml b/projects/USD_PHYS733.yaml
index 7f1d94e2e..13f45e11c 100644
--- a/projects/USD_PHYS733.yaml
+++ b/projects/USD_PHYS733.yaml
@@ -1,5 +1,6 @@
-Description: A course on Elementary Particle and Nuclear Physics at the University of South Dakota
-Department: Physics
+Description: A course on Elementary Particle and Nuclear Physics at the University
+ of South Dakota
+Department: Physics
FieldOfScience: Elementary Particles
Organization: University of South Dakota
PIName: Jing Liu
@@ -7,3 +8,4 @@ PIName: Jing Liu
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0804'
diff --git a/projects/USD_RCG.yaml b/projects/USD_RCG.yaml
index 5d0739d15..9f68b7eb9 100644
--- a/projects/USD_RCG.yaml
+++ b/projects/USD_RCG.yaml
@@ -9,3 +9,4 @@ ID: '714'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/USU_Kaundal.yaml b/projects/USU_Kaundal.yaml
index 7b9139aad..25d2cd74a 100644
--- a/projects/USU_Kaundal.yaml
+++ b/projects/USU_Kaundal.yaml
@@ -21,3 +21,4 @@ ID: '849'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/USheffield_DUNE.yaml b/projects/USheffield_DUNE.yaml
index 79b8b6372..e7d78eb89 100644
--- a/projects/USheffield_DUNE.yaml
+++ b/projects/USheffield_DUNE.yaml
@@ -1,4 +1,5 @@
-Description: The Deep Underground Neutrino Experiment is an international flagship experiment to unlock the mysteries of neutrinos.
+Description: The Deep Underground Neutrino Experiment is an international flagship
+ experiment to unlock the mysteries of neutrinos.
Department: Physics and Astronomy
FieldOfScience: Physics
Organization: University of Sheffield
@@ -9,3 +10,4 @@ ID: '823'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/UTA_Cuntz.yaml b/projects/UTA_Cuntz.yaml
index 8ddc65ef4..429dd0391 100644
--- a/projects/UTA_Cuntz.yaml
+++ b/projects/UTA_Cuntz.yaml
@@ -1,4 +1,5 @@
-Description: python simulations that test stability and the orbital dynamics of multi body systems
+Description: python simulations that test stability and the orbital dynamics of multi
+ body systems
Department: Physics
FieldOfScience: Astronomy and Astrophysics
Organization: University of Texas at Arlington
@@ -7,3 +8,4 @@ PIName: Manfred Cuntz
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0202'
diff --git a/projects/UTA_Jones.yaml b/projects/UTA_Jones.yaml
index 5e7ddaf41..a3b1e05a0 100644
--- a/projects/UTA_Jones.yaml
+++ b/projects/UTA_Jones.yaml
@@ -1,7 +1,9 @@
Description: >
- works on the NEXT neutrinoless double beta decay experiment: https://next.ific.uv.es/next/ which is an international collaboration.
- The experiment is trying to determine if the neutrino is its own anti-particle.
+ works on the NEXT neutrinoless double beta decay experiment: https://next.ific.uv.es/next/
+ which is an international collaboration. The experiment is trying to determine
+ if the neutrino is its own anti-particle.
Department: Physics
FieldOfScience: Physics
Organization: University of Texas at Arlington
PIName: Ben Jones
+FieldOfScienceID: '40.08'
diff --git a/projects/UTAustin_Shoemaker.yaml b/projects/UTAustin_Shoemaker.yaml
index fa3eec117..57588f53e 100644
--- a/projects/UTAustin_Shoemaker.yaml
+++ b/projects/UTAustin_Shoemaker.yaml
@@ -8,3 +8,4 @@ PIName: Deirdre Shoemaker
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0202'
diff --git a/projects/UTAustin_Zimmerman.yaml b/projects/UTAustin_Zimmerman.yaml
index 10219c979..d953a5b0a 100644
--- a/projects/UTAustin_Zimmerman.yaml
+++ b/projects/UTAustin_Zimmerman.yaml
@@ -11,13 +11,14 @@ Sponsor:
Name: OSG Connect
ResourceAllocations:
- - Type: Other
- SubmitResources:
- - CHTC-XD-SUBMIT
+- Type: Other
+ SubmitResources:
+ - CHTC-XD-SUBMIT
# ^^ for testing
- - UChicago_OSGConnect_login04
- - UChicago_OSGConnect_login05
- ExecuteResourceGroups:
- - GroupName: TACC-Stampede2
- LocalAllocationID: "GravSearches"
+ - UChicago_OSGConnect_login04
+ - UChicago_OSGConnect_login05
+ ExecuteResourceGroups:
+ - GroupName: TACC-Stampede2
+ LocalAllocationID: GravSearches
+FieldOfScienceID: '40.08'
diff --git a/projects/UTEP_DeBlasio.yaml b/projects/UTEP_DeBlasio.yaml
index 4124d0282..9b55e746b 100644
--- a/projects/UTEP_DeBlasio.yaml
+++ b/projects/UTEP_DeBlasio.yaml
@@ -1,11 +1,9 @@
-Description: Our group studies how to improve science by automating
- and optimizing the tools used by domain scientists. We do this
- primarily by making input specific parameter value choices which
- help to reduce false information introduced by using less than
- ideal (or default) parameter choice. The focus of the work
- performed here will be on data acquisition for the machine
- learning processes needed to further develop these methods used
- for making such choices for multiple sequence alignment
+Description: Our group studies how to improve science by automating and optimizing
+ the tools used by domain scientists. We do this primarily by making input specific
+ parameter value choices which help to reduce false information introduced by using
+ less than ideal (or default) parameter choice. The focus of the work performed here
+ will be on data acquisition for the machine learning processes needed to further
+ develop these methods used for making such choices for multiple sequence alignment
applications. https://deblasiolab.org/
Department: Department of Computer Science
FieldOfScience: Computer and Information Sciences
@@ -15,3 +13,4 @@ PIName: Dan DeBlasio
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/UTEP_Moore.yaml b/projects/UTEP_Moore.yaml
index 7de2f2430..3d304ac17 100644
--- a/projects/UTEP_Moore.yaml
+++ b/projects/UTEP_Moore.yaml
@@ -1,5 +1,7 @@
-Description: We are developing portable containers for deep-learning frameworks and applications
+Description: We are developing portable containers for deep-learning frameworks and
+ applications
Department: Computer Science
FieldOfScience: Computer and Information Services
Organization: University of Texas at El Paso
PIName: Shirley Moore
+FieldOfScienceID: '11.01'
diff --git a/projects/UTK_Luettgau.yaml b/projects/UTK_Luettgau.yaml
index 63be4731f..5437cce74 100644
--- a/projects/UTK_Luettgau.yaml
+++ b/projects/UTK_Luettgau.yaml
@@ -9,3 +9,4 @@ PIName: Jakob Luettgau
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/UTSA_Anantua.yaml b/projects/UTSA_Anantua.yaml
index 4929f6028..1f7c59dc1 100644
--- a/projects/UTSA_Anantua.yaml
+++ b/projects/UTSA_Anantua.yaml
@@ -1,8 +1,9 @@
Description: >
- I am using Monte Carlo ray-tracing code GRMONTY to create and
- compare two different emission models R-Beta and Critical-Beta
- of M87 and Sgr A*. https://richardanantua.com/spectra/
+ I am using Monte Carlo ray-tracing code GRMONTY to create and
+ compare two different emission models R-Beta and Critical-Beta
+ of M87 and Sgr A*. https://richardanantua.com/spectra/
Department: Department of Physics and Astronomy
FieldOfScience: Astronomy and Astrophysics
Organization: The University of Texas at San Antonio
PIName: Richard Anantua
+FieldOfScienceID: '40.0202'
diff --git a/projects/UTSouthwestern_Lin.yaml b/projects/UTSouthwestern_Lin.yaml
index cf07d8f05..8819fe7df 100644
--- a/projects/UTSouthwestern_Lin.yaml
+++ b/projects/UTSouthwestern_Lin.yaml
@@ -1,10 +1,12 @@
-Description: Access the molecular organization and fluctuations of the condensate with atomistic simulations
-Department: Department of Biophysics
+Description: Access the molecular organization and fluctuations of the condensate
+ with atomistic simulations
+Department: Department of Biophysics
FieldOfScience: Biological and Biomedical Sciences
Organization: University of Texas Southwestern Medical Center
-PIName: Milo Lin
+PIName: Milo Lin
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/UTulsa_Booth.yaml b/projects/UTulsa_Booth.yaml
index f2ef6b510..d8f003914 100644
--- a/projects/UTulsa_Booth.yaml
+++ b/projects/UTulsa_Booth.yaml
@@ -1,4 +1,11 @@
-Description: "Research within the lab focuses on evolutionary biology, molecular ecology, and population genetics. Broadly our interests fall into two categories: the evolutionary forces driving population differentiation and dynamics within mosaic landscapes, and the evolution and ecological significance of alternative reproductive strategies. We investigate these in a variety of systems, including mammals, reptiles, amphibians, and insects, and address them using high resolution molecular markers. Much of this work is in collaboration with other researchers, maximizing the resources and expertise available to a given question."
+Description: 'Research within the lab focuses on evolutionary biology, molecular ecology,
+ and population genetics. Broadly our interests fall into two categories: the evolutionary
+ forces driving population differentiation and dynamics within mosaic landscapes,
+ and the evolution and ecological significance of alternative reproductive strategies.
+ We investigate these in a variety of systems, including mammals, reptiles, amphibians,
+ and insects, and address them using high resolution molecular markers. Much of this
+ work is in collaboration with other researchers, maximizing the resources and expertise
+ available to a given question.'
Department: Biological Sciences
FieldOfScience: Biological Sciences
Organization: University of Tulsa
@@ -9,3 +16,4 @@ ID: '843'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/UWMadison_Banks.yaml b/projects/UWMadison_Banks.yaml
index c47ab4e49..91ac073f1 100644
--- a/projects/UWMadison_Banks.yaml
+++ b/projects/UWMadison_Banks.yaml
@@ -1,4 +1,7 @@
-Description: Our project utilizes an fMRI regularization penalty to sparsify large-scale (up to 216 channels) MVAR models fitted to EEG brain data. Through sparsification of these models, we can do a better job of capturing brain connectivity with only a small amount of training data.
+Description: Our project utilizes an fMRI regularization penalty to sparsify large-scale
+ (up to 216 channels) MVAR models fitted to EEG brain data. Through sparsification
+ of these models, we can do a better job of capturing brain connectivity with only
+ a small amount of training data.
Department: Anesthesiology
FieldOfScience: Electrical, Electronic, and Communications Engineering
Organization: University of Wisconsin-Madison
@@ -7,3 +10,4 @@ PIName: Matthew Banks
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.1'
diff --git a/projects/UWMadison_Bechtol.yaml b/projects/UWMadison_Bechtol.yaml
index fb4ad4e58..922ad9c93 100644
--- a/projects/UWMadison_Bechtol.yaml
+++ b/projects/UWMadison_Bechtol.yaml
@@ -1,4 +1,5 @@
-Description: Searching for Dark Energy evidence via gravitational double-lens effects in massive astronomical objects
+Description: Searching for Dark Energy evidence via gravitational double-lens effects
+ in massive astronomical objects
Department: Physics
FieldOfScience: Astronomy
Organization: University of Wisconsin-Madison
@@ -9,3 +10,4 @@ ID: '822'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.02'
diff --git a/projects/UWMadison_Chen.yaml b/projects/UWMadison_Chen.yaml
index 09a4caf58..2a5f47240 100644
--- a/projects/UWMadison_Chen.yaml
+++ b/projects/UWMadison_Chen.yaml
@@ -1,4 +1,5 @@
-Description: Quantifing future forest productivity change and its impact on global land use and land cover change under global climate change.
+Description: Quantifing future forest productivity change and its impact on global
+ land use and land cover change under global climate change.
Department: Department of Forest and Wildlife Ecology
FieldOfScience: Agricultural Sciences
Organization: University of Wisconsin-Madison
@@ -7,3 +8,4 @@ PIName: Min Chen
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '01'
diff --git a/projects/UWMadison_Curtin.yaml b/projects/UWMadison_Curtin.yaml
index 377c71519..c86c2caa5 100644
--- a/projects/UWMadison_Curtin.yaml
+++ b/projects/UWMadison_Curtin.yaml
@@ -1,5 +1,6 @@
Department: Psychology
-Description: 'https://arc.psych.wisc.edu/'
+Description: https://arc.psych.wisc.edu/
FieldOfScience: Social, Behavioral & Economic Sciences
Organization: University of Wisconsin-Madison
PIName: John Curtin
+FieldOfScienceID: '42'
diff --git a/projects/UWMadison_DeLeon.yaml b/projects/UWMadison_DeLeon.yaml
index f13e70582..3fd5ab79f 100644
--- a/projects/UWMadison_DeLeon.yaml
+++ b/projects/UWMadison_DeLeon.yaml
@@ -9,3 +9,4 @@ ID: '818'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '01'
diff --git a/projects/UWMadison_DeWerd.yaml b/projects/UWMadison_DeWerd.yaml
index 9ca5d913f..f18d9b373 100644
--- a/projects/UWMadison_DeWerd.yaml
+++ b/projects/UWMadison_DeWerd.yaml
@@ -4,3 +4,4 @@ FieldOfScience: Physics
Organization: University of Wisconsin-Madison
PIName: Larry DeWerd
+FieldOfScienceID: '40.08'
diff --git a/projects/UWMadison_Dopfer.yaml b/projects/UWMadison_Dopfer.yaml
index d14487cfb..972f1d4b7 100644
--- a/projects/UWMadison_Dopfer.yaml
+++ b/projects/UWMadison_Dopfer.yaml
@@ -9,3 +9,4 @@ ID: '819'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '51'
diff --git a/projects/UWMadison_Ericksen.yaml b/projects/UWMadison_Ericksen.yaml
index a7d2bbbdc..e27207364 100644
--- a/projects/UWMadison_Ericksen.yaml
+++ b/projects/UWMadison_Ericksen.yaml
@@ -3,3 +3,4 @@ Description: Molecule docking as part of drug discovery research (http://hts.wis
FieldOfScience: Health
Organization: University of Wisconsin-Madison
PIName: Spencer Ericksen
+FieldOfScienceID: '51'
diff --git a/projects/UWMadison_Fredrickson.yaml b/projects/UWMadison_Fredrickson.yaml
index 1de710cf6..d7937a37f 100644
--- a/projects/UWMadison_Fredrickson.yaml
+++ b/projects/UWMadison_Fredrickson.yaml
@@ -1,4 +1,4 @@
-Description: Intermetallic chemistry group interested in the origins of intergrowths
+Description: Intermetallic chemistry group interested in the origins of intergrowths
Department: Chemistry
FieldOfScience: Chemistry
Organization: University of Wisconsin-Madison
@@ -9,3 +9,4 @@ ID: '817'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/UWMadison_Gitter.yaml b/projects/UWMadison_Gitter.yaml
index 4bee3276e..300b6fe00 100644
--- a/projects/UWMadison_Gitter.yaml
+++ b/projects/UWMadison_Gitter.yaml
@@ -1,5 +1,6 @@
Department: Biostatistics and Medical Informatics
-Description: 'https://www.biostat.wisc.edu/~gitter/'
+Description: https://www.biostat.wisc.edu/~gitter/
FieldOfScience: Medical (NIH)
Organization: University of Wisconsin-Madison
PIName: Anthony Gitter
+FieldOfScienceID: '51'
diff --git a/projects/UWMadison_Gutierrez.yaml b/projects/UWMadison_Gutierrez.yaml
index 4a7b6042f..944df4491 100644
--- a/projects/UWMadison_Gutierrez.yaml
+++ b/projects/UWMadison_Gutierrez.yaml
@@ -9,3 +9,4 @@ ID: '599'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '01'
diff --git a/projects/UWMadison_Kaplan.yaml b/projects/UWMadison_Kaplan.yaml
index 4f1cb663b..0d7ca5fad 100644
--- a/projects/UWMadison_Kaplan.yaml
+++ b/projects/UWMadison_Kaplan.yaml
@@ -9,3 +9,4 @@ ID: '730'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '13'
diff --git a/projects/UWMadison_Keles.yaml b/projects/UWMadison_Keles.yaml
index 213d300af..c0d2a70e4 100644
--- a/projects/UWMadison_Keles.yaml
+++ b/projects/UWMadison_Keles.yaml
@@ -9,3 +9,4 @@ ID: '815'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27.01'
diff --git a/projects/UWMadison_Keller.yaml b/projects/UWMadison_Keller.yaml
index 178c6ed62..dd71e214d 100644
--- a/projects/UWMadison_Keller.yaml
+++ b/projects/UWMadison_Keller.yaml
@@ -1,4 +1,4 @@
-Description: Studying the genetic regulation and production of fungal secondary metabolites.
+Description: Studying the genetic regulation and production of fungal secondary metabolites.
Department: Medical Microbiology and Immunology
FieldOfScience: Biological Sciences
Organization: University of Wisconsin-Madison
@@ -9,3 +9,4 @@ ID: '816'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/UWMadison_Kwan.yaml b/projects/UWMadison_Kwan.yaml
index 585384311..7188f7c86 100644
--- a/projects/UWMadison_Kwan.yaml
+++ b/projects/UWMadison_Kwan.yaml
@@ -1,5 +1,6 @@
Department: Pharmacy
-Description: 'Bioactive molecules from cultured and uncultured bacteria (https://kwanlab.github.io/)'
+Description: Bioactive molecules from cultured and uncultured bacteria (https://kwanlab.github.io/)
FieldOfScience: Health
Organization: University of Wisconsin-Madison
PIName: Jason Kwan
+FieldOfScienceID: '51'
diff --git a/projects/UWMadison_Li.yaml b/projects/UWMadison_Li.yaml
index beec8f9fa..19f34c16f 100644
--- a/projects/UWMadison_Li.yaml
+++ b/projects/UWMadison_Li.yaml
@@ -1,5 +1,7 @@
-Description: Multiscale modeling, computational materials design, mechanics and physics of polymers, and machine learning-accelerated polymer design.
+Description: Multiscale modeling, computational materials design, mechanics and physics
+ of polymers, and machine learning-accelerated polymer design.
Department: Mechanical Engineering
FieldOfScience: Engineering
Organization: University of Wisconsin-Madison
PIName: Ying Li
+FieldOfScienceID: '14'
diff --git a/projects/UWMadison_Livny.yaml b/projects/UWMadison_Livny.yaml
index 1d4b1f0de..723ecb753 100644
--- a/projects/UWMadison_Livny.yaml
+++ b/projects/UWMadison_Livny.yaml
@@ -3,3 +3,4 @@ Description: http://chtc.cs.wisc.edu/
FieldOfScience: Computer & Information Science & Engineering
Organization: University of Wisconsin-Madison
PIName: Miron Livny
+FieldOfScienceID: '30.3001'
diff --git a/projects/UWMadison_McMillan.yaml b/projects/UWMadison_McMillan.yaml
index 6fcf520ff..aca25e81d 100644
--- a/projects/UWMadison_McMillan.yaml
+++ b/projects/UWMadison_McMillan.yaml
@@ -9,3 +9,4 @@ ID: '658'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '51'
diff --git a/projects/UWMadison_Negrut.yaml b/projects/UWMadison_Negrut.yaml
index b01066f04..49f4828d7 100644
--- a/projects/UWMadison_Negrut.yaml
+++ b/projects/UWMadison_Negrut.yaml
@@ -1,9 +1,12 @@
-Description: Chrono is a physics-based modelling and simulation infrastructure based on a platform-independent open-source design implemented in C++. Chrono is developed by the Negrut group; the goal is to make it available on the OSPool.
-Department: Mechanical Engineering
-FieldOfScience: Engineering
+Description: Chrono is a physics-based modelling and simulation infrastructure based
+ on a platform-independent open-source design implemented in C++. Chrono is developed
+ by the Negrut group; the goal is to make it available on the OSPool.
+Department: Mechanical Engineering
+FieldOfScience: Engineering
Organization: University of Wisconsin-Madison
PIName: Dan Negrut
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14'
diff --git a/projects/UWMadison_Parks.yaml b/projects/UWMadison_Parks.yaml
index 881f8ae23..cfbf95cab 100644
--- a/projects/UWMadison_Parks.yaml
+++ b/projects/UWMadison_Parks.yaml
@@ -1,4 +1,4 @@
-Description:
+Description:
Department: Nutritional Science
FieldOfScience: Nutritional Science
Organization: University of Wisconsin-Madison
@@ -9,3 +9,4 @@ ID: '585'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '19.05'
diff --git a/projects/UWMadison_Paskewitz.yaml b/projects/UWMadison_Paskewitz.yaml
index 83acfd7c9..7975a6433 100644
--- a/projects/UWMadison_Paskewitz.yaml
+++ b/projects/UWMadison_Paskewitz.yaml
@@ -2,10 +2,11 @@ Description: Training neural networks to classify images of ticks
Department: Entomology
FieldOfScience: Biological Sciences
Organization: University of Wisconsin-Madison
-PIName: Susan Paskewitz
+PIName: Susan Paskewitz
ID: '703'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/UWMadison_Payseur.yaml b/projects/UWMadison_Payseur.yaml
index 4ad3a2032..b76feee23 100644
--- a/projects/UWMadison_Payseur.yaml
+++ b/projects/UWMadison_Payseur.yaml
@@ -3,3 +3,4 @@ Description: Work on understanding the origin of species and the evolution of re
FieldOfScience: Genomics
Organization: University of Wisconsin-Madison
PIName: Bret Payseur
+FieldOfScienceID: '26.0807'
diff --git a/projects/UWMadison_Pool.yaml b/projects/UWMadison_Pool.yaml
index d5c9a0e22..1103e3c86 100644
--- a/projects/UWMadison_Pool.yaml
+++ b/projects/UWMadison_Pool.yaml
@@ -1,5 +1,6 @@
Department: Genomics & Genetics
-Description: 'Population Genomics and the Genetic Basis of Adaptive Evolution - http://www.genetics.wisc.edu/user/338'
+Description: Population Genomics and the Genetic Basis of Adaptive Evolution - http://www.genetics.wisc.edu/user/338
FieldOfScience: Biological Sciences
Organization: University of Wisconsin-Madison
PIName: John Pool
+FieldOfScienceID: '26'
diff --git a/projects/UWMadison_Rebel.yaml b/projects/UWMadison_Rebel.yaml
index 13c0a85f7..1da1ca0d3 100644
--- a/projects/UWMadison_Rebel.yaml
+++ b/projects/UWMadison_Rebel.yaml
@@ -9,3 +9,4 @@ ID: '676'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/UWMadison_Rui.yaml b/projects/UWMadison_Rui.yaml
index 566a3c94b..8d7c4c571 100644
--- a/projects/UWMadison_Rui.yaml
+++ b/projects/UWMadison_Rui.yaml
@@ -1,4 +1,4 @@
-Description: Structure + behavior of genomes related to lymphoma
+Description: Structure + behavior of genomes related to lymphoma
Department: Medicine
FieldOfScience: Health
Organization: University of Wisconsin-Madison
@@ -9,3 +9,4 @@ ID: '705'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '51'
diff --git a/projects/UWMadison_Skala.yaml b/projects/UWMadison_Skala.yaml
index f105eaf1b..14c3e174a 100644
--- a/projects/UWMadison_Skala.yaml
+++ b/projects/UWMadison_Skala.yaml
@@ -9,3 +9,4 @@ ID: '702'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '51'
diff --git a/projects/UWMadison_Solis-Lemus.yaml b/projects/UWMadison_Solis-Lemus.yaml
index f237cc4c9..b31569090 100644
--- a/projects/UWMadison_Solis-Lemus.yaml
+++ b/projects/UWMadison_Solis-Lemus.yaml
@@ -5,3 +5,4 @@ Department: Plant Pathology
FieldOfScience: Biological Sciences
Organization: University of Wisconsin-Madison
PIName: Claudia Solis-Lemus
+FieldOfScienceID: '26'
diff --git a/projects/UWMadison_Tang.yaml b/projects/UWMadison_Tang.yaml
index 64d64b9b0..b2beffc11 100644
--- a/projects/UWMadison_Tang.yaml
+++ b/projects/UWMadison_Tang.yaml
@@ -1,4 +1,4 @@
-Description: Meta-analysis of microbiome studies
+Description: Meta-analysis of microbiome studies
Department: Biostatistics and Medical Informatics
FieldOfScience: Biostatistics
Organization: University of Wisconsin-Madison
@@ -9,3 +9,4 @@ ID: '704'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1102'
diff --git a/projects/UWMadison_Vavilov.yaml b/projects/UWMadison_Vavilov.yaml
index 8ad4392c4..247939bfb 100644
--- a/projects/UWMadison_Vavilov.yaml
+++ b/projects/UWMadison_Vavilov.yaml
@@ -1,11 +1,12 @@
-Description: Research group of Maxim Vavilov
+Description: Research group of Maxim Vavilov
Department: Physics
FieldOfScience: Physics
Organization: University of Wisconsin-Madison
-PIName: Maxim Vavilov
+PIName: Maxim Vavilov
ID: '631'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/UWMadison_Wei.yaml b/projects/UWMadison_Wei.yaml
index 5c89cceac..ca2b4fb5a 100644
--- a/projects/UWMadison_Wei.yaml
+++ b/projects/UWMadison_Wei.yaml
@@ -9,3 +9,4 @@ ID: '702'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '45.06'
diff --git a/projects/UWMadison_Weigel.yaml b/projects/UWMadison_Weigel.yaml
index b42f69513..245e6eac9 100644
--- a/projects/UWMadison_Weigel.yaml
+++ b/projects/UWMadison_Weigel.yaml
@@ -3,3 +3,4 @@ Department: Animal and Dairy Sciences
FieldOfScience: Genomics
Organization: University of Wisconsin-Madison
PIName: Kent Weigel
+FieldOfScienceID: '26.08'
diff --git a/projects/UWMadison_Wright.yaml b/projects/UWMadison_Wright.yaml
index d962ca7de..182663828 100644
--- a/projects/UWMadison_Wright.yaml
+++ b/projects/UWMadison_Wright.yaml
@@ -9,3 +9,4 @@ ID: '698'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.08'
diff --git a/projects/UWMilwaukee_Yoon.yaml b/projects/UWMilwaukee_Yoon.yaml
index a32663ca0..bf4b2229a 100644
--- a/projects/UWMilwaukee_Yoon.yaml
+++ b/projects/UWMilwaukee_Yoon.yaml
@@ -8,3 +8,4 @@ Description: >
FieldOfScience: Economics
Organization: University of Wisconsin-Milwaukee
PIName: Jangsu Yoon
+FieldOfScienceID: '45.06'
diff --git a/projects/UW_deKok.yaml b/projects/UW_deKok.yaml
index e85efb69b..6ed0c652c 100644
--- a/projects/UW_deKok.yaml
+++ b/projects/UW_deKok.yaml
@@ -9,3 +9,4 @@ ID: '644'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '42'
diff --git a/projects/UserSchool2016.yaml b/projects/UserSchool2016.yaml
index fe9349d63..f8b1f104d 100644
--- a/projects/UserSchool2016.yaml
+++ b/projects/UserSchool2016.yaml
@@ -7,3 +7,4 @@ PIName: Christina Koch
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30.3001'
diff --git a/projects/Utah_Chipman.yaml b/projects/Utah_Chipman.yaml
index d158b0c5d..0b2a6807f 100644
--- a/projects/Utah_Chipman.yaml
+++ b/projects/Utah_Chipman.yaml
@@ -9,3 +9,4 @@ ID: '751'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1102'
diff --git a/projects/Utah_Nelson.yaml b/projects/Utah_Nelson.yaml
index ba5ec48e5..7d4fe8e58 100644
--- a/projects/Utah_Nelson.yaml
+++ b/projects/Utah_Nelson.yaml
@@ -1,7 +1,9 @@
Description: >
- Monte Carlo research for the simulation of radiation transport for applications in medicine.
- Will be looking at proton therapy applications specifically using the Geant4 wrapper, TOPAS.
+ Monte Carlo research for the simulation of radiation transport for applications
+ in medicine. Will be looking at proton therapy applications specifically using
+ the Geant4 wrapper, TOPAS.
Department: Department of Radiation Oncology
FieldOfScience: Physics and radiation therapy
Organization: University of Utah
PIName: Nicholas Nelson
+FieldOfScienceID: '26'
diff --git a/projects/VERITAS.yaml b/projects/VERITAS.yaml
index 11136dc9e..6eeba026a 100644
--- a/projects/VERITAS.yaml
+++ b/projects/VERITAS.yaml
@@ -10,3 +10,4 @@ PIName: Nepomuk Otte
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0202'
diff --git a/projects/VT_Riexinger.yaml b/projects/VT_Riexinger.yaml
index 8590563f2..c55692c31 100644
--- a/projects/VT_Riexinger.yaml
+++ b/projects/VT_Riexinger.yaml
@@ -1,4 +1,5 @@
-Description: Virginia Traffic Cameras for Advanced Safety Technologies (VTCAST) - analyzing driver behavior from one year of VA traffic camera video
+Description: Virginia Traffic Cameras for Advanced Safety Technologies (VTCAST) -
+ analyzing driver behavior from one year of VA traffic camera video
Department: Biomedical Engineering and Mechanics
FieldOfScience: Biomedical Engineering
Organization: Virginia Tech University
@@ -7,3 +8,4 @@ PIName: Luke Riexinger
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.0501'
diff --git a/projects/Vanderbilt_Gabella.yaml b/projects/Vanderbilt_Gabella.yaml
index 1a4e65349..ec9b16442 100644
--- a/projects/Vanderbilt_Gabella.yaml
+++ b/projects/Vanderbilt_Gabella.yaml
@@ -1,4 +1,5 @@
-Description: Numerical Relativity simulations of astronomical gravitational wave progenitor systems
+Description: Numerical Relativity simulations of astronomical gravitational wave progenitor
+ systems
Department: Physics
FieldOfScience: Physics
Organization: Vanderbilt University
@@ -9,3 +10,4 @@ ID: '738'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/Vanderbilt_Paquet.yaml b/projects/Vanderbilt_Paquet.yaml
index d043e4689..d49bc9766 100644
--- a/projects/Vanderbilt_Paquet.yaml
+++ b/projects/Vanderbilt_Paquet.yaml
@@ -1,8 +1,10 @@
Description: >
- study the quark-gluon plasma produced in collisions of nuclei. I perform relativistic hydrodynamic simulations of the collisions and
- study in particular the production of photons in the collisions. This is my Vanderbilt website: https://as.vanderbilt.edu/physics-astronomy/bio/jean-francois-paquet/
- This is my professional website: https://j-f-paquet.github.io/
+ study the quark-gluon plasma produced in collisions of nuclei. I perform relativistic
+ hydrodynamic simulations of the collisions and study in particular the production
+ of photons in the collisions. This is my Vanderbilt website: https://as.vanderbilt.edu/physics-astronomy/bio/jean-francois-paquet/
+ This is my professional website: https://j-f-paquet.github.io/
Department: Department of Physics & Astronomy
FieldOfScience: Physics
Organization: Vanderbilt University
PIName: Jean-Francois Paquet
+FieldOfScienceID: '40.08'
diff --git a/projects/Venda_Arrey.yaml b/projects/Venda_Arrey.yaml
index f2bdc333e..d754c56c5 100644
--- a/projects/Venda_Arrey.yaml
+++ b/projects/Venda_Arrey.yaml
@@ -9,3 +9,4 @@ ID: '592'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.06'
diff --git a/projects/Villanova_Staff.yaml b/projects/Villanova_Staff.yaml
index 0d6d8968d..df3a5ec2e 100644
--- a/projects/Villanova_Staff.yaml
+++ b/projects/Villanova_Staff.yaml
@@ -9,3 +9,4 @@ ID: '768'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 11.0701a
diff --git a/projects/VolcanoTomography.yaml b/projects/VolcanoTomography.yaml
index 4fe973673..60f70fd28 100644
--- a/projects/VolcanoTomography.yaml
+++ b/projects/VolcanoTomography.yaml
@@ -9,3 +9,4 @@ ID: '538'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/WCUPA_Ngo.yaml b/projects/WCUPA_Ngo.yaml
index 3de7e8868..455bc130a 100644
--- a/projects/WCUPA_Ngo.yaml
+++ b/projects/WCUPA_Ngo.yaml
@@ -9,3 +9,4 @@ ID: '656'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/WEST.yaml b/projects/WEST.yaml
index 002fd39a1..f2c86693f 100644
--- a/projects/WEST.yaml
+++ b/projects/WEST.yaml
@@ -9,3 +9,4 @@ PIName: Dr. Andrew Leakey
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.03'
diff --git a/projects/WSU_3DHydro.yaml b/projects/WSU_3DHydro.yaml
index 539b7a483..b62e17d3d 100644
--- a/projects/WSU_3DHydro.yaml
+++ b/projects/WSU_3DHydro.yaml
@@ -1,4 +1,4 @@
-Description: "(3+1)D Dynamical modeling of relativistic heavy-ion nuclear behavior"
+Description: (3+1)D Dynamical modeling of relativistic heavy-ion nuclear behavior
Department: Department of Physics and Astronomy
FieldOfScience: Nuclear Physics
Organization: Wayne State University
@@ -9,3 +9,4 @@ ID: '570'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0806'
diff --git a/projects/WUSTL_Harris.yaml b/projects/WUSTL_Harris.yaml
index e05d0c71e..5778d8667 100644
--- a/projects/WUSTL_Harris.yaml
+++ b/projects/WUSTL_Harris.yaml
@@ -1,4 +1,5 @@
-Description: Effects of simulated interventions on joint loading in patients with bony hip pathologies
+Description: Effects of simulated interventions on joint loading in patients with
+ bony hip pathologies
Department: School of Medicine Program in Physical Therapy
FieldOfScience: Physical Therapy
Organization: Washington University in St. Louis
@@ -9,3 +10,4 @@ ID: '562'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '51.2308'
diff --git a/projects/Washington_Savage.yaml b/projects/Washington_Savage.yaml
index 8ecb33c58..dfc4ff2a6 100644
--- a/projects/Washington_Savage.yaml
+++ b/projects/Washington_Savage.yaml
@@ -1,4 +1,5 @@
-Description: Quantum simulations of many-body systems for nuclear and high-energy physics (https://iqus.uw.edu).
+Description: Quantum simulations of many-body systems for nuclear and high-energy
+ physics (https://iqus.uw.edu).
Department: IQuS, Department of Physics
FieldOfScience: Physics
Organization: University of Washington
@@ -7,3 +8,4 @@ PIName: Martin J. Savage
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/WayneStateU_Majumder.yaml b/projects/WayneStateU_Majumder.yaml
index 381af6387..13ed1e678 100644
--- a/projects/WayneStateU_Majumder.yaml
+++ b/projects/WayneStateU_Majumder.yaml
@@ -1,4 +1,4 @@
-Description: Jetscape heavy ion collision simulations
+Description: Jetscape heavy ion collision simulations
Department: Physics
FieldOfScience: Physics
Organization: Wayne State University
@@ -9,3 +9,4 @@ ID: '667'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/WayneStateU_Pique-Regi.yaml b/projects/WayneStateU_Pique-Regi.yaml
index 40fe40098..c226aa1e2 100644
--- a/projects/WayneStateU_Pique-Regi.yaml
+++ b/projects/WayneStateU_Pique-Regi.yaml
@@ -9,3 +9,4 @@ ID: '722'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/WayneStateU_Pruneau.yaml b/projects/WayneStateU_Pruneau.yaml
index e3968ff44..a2c278b16 100644
--- a/projects/WayneStateU_Pruneau.yaml
+++ b/projects/WayneStateU_Pruneau.yaml
@@ -7,3 +7,4 @@ PIName: Claude Pruneau
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/WayneStateU_Staff.yaml b/projects/WayneStateU_Staff.yaml
index d8fdda234..9b18e806d 100644
--- a/projects/WayneStateU_Staff.yaml
+++ b/projects/WayneStateU_Staff.yaml
@@ -9,3 +9,4 @@ ID: '565'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30'
diff --git a/projects/WayneStateU_TDA.yaml b/projects/WayneStateU_TDA.yaml
index a9971be78..7d98f167d 100644
--- a/projects/WayneStateU_TDA.yaml
+++ b/projects/WayneStateU_TDA.yaml
@@ -1,4 +1,5 @@
-Description: "Topological Data Analysis of fMRI Signals during Learning: Function to Structure"
+Description: 'Topological Data Analysis of fMRI Signals during Learning: Function
+ to Structure'
Department: Mathmatics
FieldOfScience: Mathematics
Organization: Wayne State University
@@ -9,3 +10,4 @@ ID: '566'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27.01'
diff --git a/projects/WeNMR.yaml b/projects/WeNMR.yaml
index 607e63de1..d5096266f 100644
--- a/projects/WeNMR.yaml
+++ b/projects/WeNMR.yaml
@@ -1,9 +1,8 @@
-Description: "WeNMR is a Virtual Research Community supported by
-EGI. WeNMR aims at bringing together complementary research teams in
-the structural biology and life science area into a virtual research
-community at a worldwide level and provide them with a platform
-integrating and streamlining the computational approaches necessary
-for data analysis and modelling."
+Description: WeNMR is a Virtual Research Community supported by EGI. WeNMR aims at
+ bringing together complementary research teams in the structural biology and life
+ science area into a virtual research community at a worldwide level and provide
+ them with a platform integrating and streamlining the computational approaches necessary
+ for data analysis and modelling.
Department: N/A
FieldOfScience: Biological Sciences
Organization: Utrecht University
@@ -12,5 +11,6 @@ PIName: Alexandre Bonvin
ID: 665
Sponsor:
- VirtualOrganization:
- Name: ENMR
+ VirtualOrganization:
+ Name: ENMR
+FieldOfScienceID: '26'
diff --git a/projects/Webster_Suo.yaml b/projects/Webster_Suo.yaml
index be3700428..295217f0e 100644
--- a/projects/Webster_Suo.yaml
+++ b/projects/Webster_Suo.yaml
@@ -1,8 +1,9 @@
Description: >
- This work aims to construct a flexible scan system using multiple cameras
- that can correctly reconstruct 3D objects -- a human face with expression. The work
- proposed and used mathematical models to automate the 3D object reconstruction.
+ This work aims to construct a flexible scan system using multiple cameras that
+ can correctly reconstruct 3D objects -- a human face with expression. The work proposed
+ and used mathematical models to automate the 3D object reconstruction.
Department: Computer and information science
FieldOfScience: Computer Science
Organization: Webster University
PIName: Xiaoyuan Suo
+FieldOfScienceID: '11.07'
diff --git a/projects/WheatGenomics.yaml b/projects/WheatGenomics.yaml
index 2dd09e33a..cbdd8073f 100644
--- a/projects/WheatGenomics.yaml
+++ b/projects/WheatGenomics.yaml
@@ -7,3 +7,4 @@ PIName: Ghana Challa
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/WichitaState_Hwang.yaml b/projects/WichitaState_Hwang.yaml
index a0767d0a6..0bd4f5625 100644
--- a/projects/WichitaState_Hwang.yaml
+++ b/projects/WichitaState_Hwang.yaml
@@ -1,4 +1,5 @@
-Description: Analysis of porous media using pore-scale simulations of additively manufactured wicks with X-ray computed tomography.
+Description: Analysis of porous media using pore-scale simulations of additively manufactured
+ wicks with X-ray computed tomography.
Department: Department of Mechanical Engineering
FieldOfScience: Mechanical Engineering
Organization: Wichita State University
@@ -7,3 +8,4 @@ PIName: Gisuk Hwang
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '14.1901'
diff --git a/projects/Workshop-RMACC21.yaml b/projects/Workshop-RMACC21.yaml
index 9fb1aedeb..9359ee988 100644
--- a/projects/Workshop-RMACC21.yaml
+++ b/projects/Workshop-RMACC21.yaml
@@ -9,3 +9,4 @@ ID: '794'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30.3001'
diff --git a/projects/XSEDE_ECSS.yaml b/projects/XSEDE_ECSS.yaml
index 6c1ae5d13..a9ce063cd 100644
--- a/projects/XSEDE_ECSS.yaml
+++ b/projects/XSEDE_ECSS.yaml
@@ -9,3 +9,4 @@ ID: '715'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/XSEDE_XCI.yaml b/projects/XSEDE_XCI.yaml
index ce6d29673..f188c3de7 100644
--- a/projects/XSEDE_XCI.yaml
+++ b/projects/XSEDE_XCI.yaml
@@ -1,16 +1,13 @@
Description: >-
- The mission of the XSEDE Cyberinfrastructure Integration (XCI)
- team is to integrate, adapt, and disseminate software tools and related
- services across the national CI community enabling the US research
- community to do its work better and more easily than before – making it
- easier for administrators and users of campus-based cyberinfrastructure
- systems to make use of tools created by XSEDE for local benefit, and
- expand upon XSEDE's effort to enable the creation of an integrated national
- cyberinfrastructure. XCI is using OSG resources to learn how OSG tools and
- services work, and to explore potential areas of collaborations. This
- includes but is not limited to OSG Connect, HTCondor, CVMFS, and identity
- and access management services.
- https://www.xsede.org/ecosystem/ci-integration
+ The mission of the XSEDE Cyberinfrastructure Integration (XCI) team is to integrate,
+ adapt, and disseminate software tools and related services across the national
+ CI community enabling the US research community to do its work better and more
+ easily than before – making it easier for administrators and users of campus-based
+ cyberinfrastructure systems to make use of tools created by XSEDE for local benefit,
+ and expand upon XSEDE's effort to enable the creation of an integrated national cyberinfrastructure.
+ XCI is using OSG resources to learn how OSG tools and services work, and to explore
+ potential areas of collaborations. This includes but is not limited to OSG Connect,
+ HTCondor, CVMFS, and identity and access management services. https://www.xsede.org/ecosystem/ci-integration
Department: XSEDE Cyberinfrastructure Integration (XCI)
FieldOfScience: Computer Sciences
Organization: Argonne National Lab
@@ -22,3 +19,4 @@ Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: 11.0701a
diff --git a/projects/XeTPC.yaml b/projects/XeTPC.yaml
index 6b6994007..8b4361c9d 100644
--- a/projects/XeTPC.yaml
+++ b/projects/XeTPC.yaml
@@ -9,3 +9,4 @@ PIName: Adam Para
Sponsor:
VirtualOrganization:
Name: Fermilab
+FieldOfScienceID: '40.08'
diff --git a/projects/Yale_DeMartini.yaml b/projects/Yale_DeMartini.yaml
index bf9bb3a24..89404aae9 100644
--- a/projects/Yale_DeMartini.yaml
+++ b/projects/Yale_DeMartini.yaml
@@ -5,3 +5,4 @@ Description: Numerical simulations of the (1+1)D abelian Higgs theory on the lat
FieldOfScience: Nuclear Physics
Organization: Yale University
PIName: Dallas DeMartini
+FieldOfScienceID: '40.08'
diff --git a/projects/Yale_RYang.yaml b/projects/Yale_RYang.yaml
index 15a8b1ebe..b01864cb7 100644
--- a/projects/Yale_RYang.yaml
+++ b/projects/Yale_RYang.yaml
@@ -1,5 +1,6 @@
Department: Department of Computer Science
-Description: Network Resource Abstraction and Optimization for Large-Scale Scientific Workflow
+Description: Network Resource Abstraction and Optimization for Large-Scale Scientific
+ Workflow
FieldOfScience: Computer and Information Services
ID: '608'
Organization: Yale University
@@ -7,3 +8,4 @@ PIName: Richard Yang
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.01'
diff --git a/projects/Yale_YCRC.yaml b/projects/Yale_YCRC.yaml
index cdb8a8ee6..41ab85807 100644
--- a/projects/Yale_YCRC.yaml
+++ b/projects/Yale_YCRC.yaml
@@ -8,3 +8,4 @@ PIName: Sinclair Im
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/a1synchrony.yaml b/projects/a1synchrony.yaml
index 442d38705..f6d211736 100644
--- a/projects/a1synchrony.yaml
+++ b/projects/a1synchrony.yaml
@@ -10,3 +10,4 @@ PIName: Yashar Ahmadian
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.15'
diff --git a/projects/all.yaml b/projects/all.yaml
index 18c34c5a1..8df289aa4 100644
--- a/projects/all.yaml
+++ b/projects/all.yaml
@@ -13,3 +13,4 @@ PIName: John Carlstrom
Sponsor:
CampusGrid:
Name: SPT Connect
+FieldOfScienceID: '40.0202'
diff --git a/projects/aprime.yaml b/projects/aprime.yaml
index 3e8c7bdc8..6d859816e 100644
--- a/projects/aprime.yaml
+++ b/projects/aprime.yaml
@@ -1,13 +1,10 @@
Department: LNS
-Description: 'DarkLight experiment planned to run at Jefferson LAB in the upcoming
+Description: "DarkLight experiment planned to run at Jefferson LAB in the upcoming
years will search for a massive photon possibly produced in interaction of an electron
- with electric filed of a proton.
-
-
- Monte-Carlo simulations are needed design and optimize the Darklight experiment.
- The initial OSG-Connect resources of few CPU years will be sufficient. The simulation
- will use CERN libraries, namely: Geant4.10, root5.34, compiled on Scientific Linux
- 6.5.'
+ with electric filed of a proton.\n\nMonte-Carlo simulations are needed design and
+ optimize the Darklight experiment. The initial OSG-Connect resources of few CPU
+ years will be sufficient. The simulation will use CERN libraries, namely: Geant4.10,
+ root5.34, compiled on Scientific Linux 6.5."
FieldOfScience: Nuclear Physics
ID: '68'
Organization: Massachusetts Institute of Technology
@@ -15,3 +12,4 @@ PIName: Jan Balewski
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0806'
diff --git a/projects/asurcosg.yaml b/projects/asurcosg.yaml
index 6d2c8dd81..fe3f90026 100644
--- a/projects/asurcosg.yaml
+++ b/projects/asurcosg.yaml
@@ -7,3 +7,4 @@ PIName: Johnathan Lee
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/atlas.org.Jet-EtMiss.yaml b/projects/atlas.org.Jet-EtMiss.yaml
index 8c31895fb..530cfb16d 100644
--- a/projects/atlas.org.Jet-EtMiss.yaml
+++ b/projects/atlas.org.Jet-EtMiss.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.Tau.yaml b/projects/atlas.org.Tau.yaml
index 0981d0118..9fe09e9d6 100644
--- a/projects/atlas.org.Tau.yaml
+++ b/projects/atlas.org.Tau.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.albany.yaml b/projects/atlas.org.albany.yaml
index 0ee0bd6b7..07bc7cb26 100644
--- a/projects/atlas.org.albany.yaml
+++ b/projects/atlas.org.albany.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.anl.yaml b/projects/atlas.org.anl.yaml
index 0a8a743cd..1d002a986 100644
--- a/projects/atlas.org.anl.yaml
+++ b/projects/atlas.org.anl.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.arizona.yaml b/projects/atlas.org.arizona.yaml
index 9e612852f..6a8f6acc7 100644
--- a/projects/atlas.org.arizona.yaml
+++ b/projects/atlas.org.arizona.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.bnl.yaml b/projects/atlas.org.bnl.yaml
index ec3bfb09c..e3e89eef5 100644
--- a/projects/atlas.org.bnl.yaml
+++ b/projects/atlas.org.bnl.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.brandeis.yaml b/projects/atlas.org.brandeis.yaml
index 071f5e7d5..6b9a45688 100644
--- a/projects/atlas.org.brandeis.yaml
+++ b/projects/atlas.org.brandeis.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.bu.yaml b/projects/atlas.org.bu.yaml
index 6a68c38af..b2bc2f7cc 100644
--- a/projects/atlas.org.bu.yaml
+++ b/projects/atlas.org.bu.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.columbia.yaml b/projects/atlas.org.columbia.yaml
index 285a1ccb0..971f1f5c6 100644
--- a/projects/atlas.org.columbia.yaml
+++ b/projects/atlas.org.columbia.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.duke.yaml b/projects/atlas.org.duke.yaml
index 79e586318..92a3e2398 100644
--- a/projects/atlas.org.duke.yaml
+++ b/projects/atlas.org.duke.yaml
@@ -7,3 +7,4 @@ PIName: Doug Benjamin
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.fresnostate.yaml b/projects/atlas.org.fresnostate.yaml
index 9693a87bc..b257e9dff 100644
--- a/projects/atlas.org.fresnostate.yaml
+++ b/projects/atlas.org.fresnostate.yaml
@@ -7,3 +7,4 @@ PIName: Harinder Singh Bawa
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.hamptonu.yaml b/projects/atlas.org.hamptonu.yaml
index fbc8b4a6e..8aae44c62 100644
--- a/projects/atlas.org.hamptonu.yaml
+++ b/projects/atlas.org.hamptonu.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.harvard.yaml b/projects/atlas.org.harvard.yaml
index de34572cb..e0d180ecd 100644
--- a/projects/atlas.org.harvard.yaml
+++ b/projects/atlas.org.harvard.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.iastate.yaml b/projects/atlas.org.iastate.yaml
index 9cf60f4be..a2e83a466 100644
--- a/projects/atlas.org.iastate.yaml
+++ b/projects/atlas.org.iastate.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.illinois.yaml b/projects/atlas.org.illinois.yaml
index ddb6f9157..c14fee8fa 100644
--- a/projects/atlas.org.illinois.yaml
+++ b/projects/atlas.org.illinois.yaml
@@ -7,3 +7,4 @@ PIName: Mark Neubauer
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.indiana.yaml b/projects/atlas.org.indiana.yaml
index b815d5fa6..d3f965088 100644
--- a/projects/atlas.org.indiana.yaml
+++ b/projects/atlas.org.indiana.yaml
@@ -7,3 +7,4 @@ PIName: Frederick Luehring
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.latech.yaml b/projects/atlas.org.latech.yaml
index 8fdf1a6b3..e77fbcda8 100644
--- a/projects/atlas.org.latech.yaml
+++ b/projects/atlas.org.latech.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.lbnl.yaml b/projects/atlas.org.lbnl.yaml
index d7ca27cad..b3977909c 100644
--- a/projects/atlas.org.lbnl.yaml
+++ b/projects/atlas.org.lbnl.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.louisville.yaml b/projects/atlas.org.louisville.yaml
index 334288185..cb86703df 100644
--- a/projects/atlas.org.louisville.yaml
+++ b/projects/atlas.org.louisville.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.mit.yaml b/projects/atlas.org.mit.yaml
index e76b7979b..8f2b84eca 100644
--- a/projects/atlas.org.mit.yaml
+++ b/projects/atlas.org.mit.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.msu.yaml b/projects/atlas.org.msu.yaml
index e3224ab77..0c601c1ed 100644
--- a/projects/atlas.org.msu.yaml
+++ b/projects/atlas.org.msu.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.niu.yaml b/projects/atlas.org.niu.yaml
index eaabb541d..6cc6d1400 100644
--- a/projects/atlas.org.niu.yaml
+++ b/projects/atlas.org.niu.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.nyu.yaml b/projects/atlas.org.nyu.yaml
index 5a49ae0e0..1da1a3220 100644
--- a/projects/atlas.org.nyu.yaml
+++ b/projects/atlas.org.nyu.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.okstate.yaml b/projects/atlas.org.okstate.yaml
index 618e76fed..710491fcd 100644
--- a/projects/atlas.org.okstate.yaml
+++ b/projects/atlas.org.okstate.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.osu.yaml b/projects/atlas.org.osu.yaml
index d2d2335e7..914115af0 100644
--- a/projects/atlas.org.osu.yaml
+++ b/projects/atlas.org.osu.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.ou.yaml b/projects/atlas.org.ou.yaml
index 73198b070..526f14e30 100644
--- a/projects/atlas.org.ou.yaml
+++ b/projects/atlas.org.ou.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.pitt.yaml b/projects/atlas.org.pitt.yaml
index ca057e0de..4c434284b 100644
--- a/projects/atlas.org.pitt.yaml
+++ b/projects/atlas.org.pitt.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.sc.yaml b/projects/atlas.org.sc.yaml
index 4d5608280..e582daf24 100644
--- a/projects/atlas.org.sc.yaml
+++ b/projects/atlas.org.sc.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.slac.yaml b/projects/atlas.org.slac.yaml
index 060bb51bc..abfdab42e 100644
--- a/projects/atlas.org.slac.yaml
+++ b/projects/atlas.org.slac.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.smu.yaml b/projects/atlas.org.smu.yaml
index 70ebf31cd..fcb8671fc 100644
--- a/projects/atlas.org.smu.yaml
+++ b/projects/atlas.org.smu.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.stonybrook.yaml b/projects/atlas.org.stonybrook.yaml
index 68b6dd69c..caf4edffd 100644
--- a/projects/atlas.org.stonybrook.yaml
+++ b/projects/atlas.org.stonybrook.yaml
@@ -1,5 +1,5 @@
Department: Physics
-Description: "ATLAS Connect team for State University of New York \u2014\_Stony Brook"
+Description: ATLAS Connect team for State University of New York — Stony Brook
FieldOfScience: High Energy Physics
ID: '270'
Organization: State University of New York at Stony Brook
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.tufts.yaml b/projects/atlas.org.tufts.yaml
index 3e1982b9e..41e9e488a 100644
--- a/projects/atlas.org.tufts.yaml
+++ b/projects/atlas.org.tufts.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.uchicago.yaml b/projects/atlas.org.uchicago.yaml
index ede27a02e..66b8cd3f7 100644
--- a/projects/atlas.org.uchicago.yaml
+++ b/projects/atlas.org.uchicago.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.uci.yaml b/projects/atlas.org.uci.yaml
index 1e8a520f1..462585a68 100644
--- a/projects/atlas.org.uci.yaml
+++ b/projects/atlas.org.uci.yaml
@@ -1,5 +1,5 @@
Department: Physics
-Description: "ATLAS Connect team for University of California, Irvine"
+Description: ATLAS Connect team for University of California, Irvine
FieldOfScience: High Energy Physics
ID: '272'
Organization: University of California, Irvine
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.ucsc.yaml b/projects/atlas.org.ucsc.yaml
index cddff5e7e..888af5786 100644
--- a/projects/atlas.org.ucsc.yaml
+++ b/projects/atlas.org.ucsc.yaml
@@ -1,5 +1,5 @@
Department: Physics
-Description: "ATLAS Connect team for University of California, Santa Cruz"
+Description: ATLAS Connect team for University of California, Santa Cruz
FieldOfScience: High Energy Physics
ID: '273'
Organization: University of California, Santa Cruz
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.uiowa.yaml b/projects/atlas.org.uiowa.yaml
index 6c6bbc8a7..d1131eceb 100644
--- a/projects/atlas.org.uiowa.yaml
+++ b/projects/atlas.org.uiowa.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.umass.yaml b/projects/atlas.org.umass.yaml
index 9cfc7e805..25342843a 100644
--- a/projects/atlas.org.umass.yaml
+++ b/projects/atlas.org.umass.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.unm.yaml b/projects/atlas.org.unm.yaml
index 21dd0c14e..f10dcd60b 100644
--- a/projects/atlas.org.unm.yaml
+++ b/projects/atlas.org.unm.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.uoregon.yaml b/projects/atlas.org.uoregon.yaml
index dc105bb2a..7849ad1f4 100644
--- a/projects/atlas.org.uoregon.yaml
+++ b/projects/atlas.org.uoregon.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.upenn.yaml b/projects/atlas.org.upenn.yaml
index 6937a5b67..bf1da278f 100644
--- a/projects/atlas.org.upenn.yaml
+++ b/projects/atlas.org.upenn.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.uta.yaml b/projects/atlas.org.uta.yaml
index cef3ed782..e9872685a 100644
--- a/projects/atlas.org.uta.yaml
+++ b/projects/atlas.org.uta.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.utdallas.yaml b/projects/atlas.org.utdallas.yaml
index 6c0071d9f..8ffa28625 100644
--- a/projects/atlas.org.utdallas.yaml
+++ b/projects/atlas.org.utdallas.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.utexas.yaml b/projects/atlas.org.utexas.yaml
index 85355bb93..f5254a718 100644
--- a/projects/atlas.org.utexas.yaml
+++ b/projects/atlas.org.utexas.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.washington.yaml b/projects/atlas.org.washington.yaml
index de52fd17e..56de424bd 100644
--- a/projects/atlas.org.washington.yaml
+++ b/projects/atlas.org.washington.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.wisc.yaml b/projects/atlas.org.wisc.yaml
index 758a1d479..fde52f2f4 100644
--- a/projects/atlas.org.wisc.yaml
+++ b/projects/atlas.org.wisc.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.org.yale.yaml b/projects/atlas.org.yale.yaml
index 26e58aa83..a1495fbcb 100644
--- a/projects/atlas.org.yale.yaml
+++ b/projects/atlas.org.yale.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.wg.B-Physics.yaml b/projects/atlas.wg.B-Physics.yaml
index d96ba5f98..af64d1287 100644
--- a/projects/atlas.wg.B-Physics.yaml
+++ b/projects/atlas.wg.B-Physics.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.wg.E-Gamma.yaml b/projects/atlas.wg.E-Gamma.yaml
index 40ab895ac..744ded654 100644
--- a/projects/atlas.wg.E-Gamma.yaml
+++ b/projects/atlas.wg.E-Gamma.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.wg.Exotics.yaml b/projects/atlas.wg.Exotics.yaml
index 6c817438c..6b18a68b2 100644
--- a/projects/atlas.wg.Exotics.yaml
+++ b/projects/atlas.wg.Exotics.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.wg.Flavour-Tagging.yaml b/projects/atlas.wg.Flavour-Tagging.yaml
index adff776fc..ab40ce981 100644
--- a/projects/atlas.wg.Flavour-Tagging.yaml
+++ b/projects/atlas.wg.Flavour-Tagging.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.wg.Heavy-Ions.yaml b/projects/atlas.wg.Heavy-Ions.yaml
index a9c7e1cf3..014f51ff3 100644
--- a/projects/atlas.wg.Heavy-Ions.yaml
+++ b/projects/atlas.wg.Heavy-Ions.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.wg.Higgs.yaml b/projects/atlas.wg.Higgs.yaml
index 8ad5b6211..60e348e0b 100644
--- a/projects/atlas.wg.Higgs.yaml
+++ b/projects/atlas.wg.Higgs.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.wg.Inner-Tracking.yaml b/projects/atlas.wg.Inner-Tracking.yaml
index ecf94f730..ef322dfca 100644
--- a/projects/atlas.wg.Inner-Tracking.yaml
+++ b/projects/atlas.wg.Inner-Tracking.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.wg.Monte-Carlo.yaml b/projects/atlas.wg.Monte-Carlo.yaml
index 6c5d2e3ba..be513cd42 100644
--- a/projects/atlas.wg.Monte-Carlo.yaml
+++ b/projects/atlas.wg.Monte-Carlo.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.wg.SUSY.yaml b/projects/atlas.wg.SUSY.yaml
index 73297dbcb..db3160195 100644
--- a/projects/atlas.wg.SUSY.yaml
+++ b/projects/atlas.wg.SUSY.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.wg.Standard-Model.yaml b/projects/atlas.wg.Standard-Model.yaml
index aeabab0bd..e903f50bf 100644
--- a/projects/atlas.wg.Standard-Model.yaml
+++ b/projects/atlas.wg.Standard-Model.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.wg.Top.yaml b/projects/atlas.wg.Top.yaml
index 5518e74a4..abcd34df8 100644
--- a/projects/atlas.wg.Top.yaml
+++ b/projects/atlas.wg.Top.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.wg.USAtlas-TechSupport.yaml b/projects/atlas.wg.USAtlas-TechSupport.yaml
index 2692d1e86..6928b5cb0 100644
--- a/projects/atlas.wg.USAtlas-TechSupport.yaml
+++ b/projects/atlas.wg.USAtlas-TechSupport.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/atlas.wg.combined-muon.yaml b/projects/atlas.wg.combined-muon.yaml
index ef324be51..bbf8bde5d 100644
--- a/projects/atlas.wg.combined-muon.yaml
+++ b/projects/atlas.wg.combined-muon.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: ATLAS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/bdttpdblend.yaml b/projects/bdttpdblend.yaml
index c111ace11..a64fcd68a 100644
--- a/projects/bdttpdblend.yaml
+++ b/projects/bdttpdblend.yaml
@@ -12,3 +12,4 @@ PIName: Eric Jankowski
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0808'
diff --git a/projects/bobbot.yaml b/projects/bobbot.yaml
index ecdaca461..52b91bbc2 100644
--- a/projects/bobbot.yaml
+++ b/projects/bobbot.yaml
@@ -7,3 +7,4 @@ PIName: Daniel I Goldman
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.02'
diff --git a/projects/boostconf.yaml b/projects/boostconf.yaml
index 76f8f7b7a..34d1f8aba 100644
--- a/projects/boostconf.yaml
+++ b/projects/boostconf.yaml
@@ -8,3 +8,4 @@ PIName: David Wilkins Miller
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/brainlifeio.yaml b/projects/brainlifeio.yaml
index ab1fb8911..0c41c5044 100644
--- a/projects/brainlifeio.yaml
+++ b/projects/brainlifeio.yaml
@@ -1,5 +1,8 @@
-Description: Neuroscience is engaging at the forefront of science by dissolving disciplinary boundaries and promoting transdisciplinary research. This process can facilitate discovery by convergent efforts from theoretical, experimental and cognitive neuroscience, as well as computer science and engineering.
-Department: Psychological and Brain Sciences
+Description: Neuroscience is engaging at the forefront of science by dissolving disciplinary
+ boundaries and promoting transdisciplinary research. This process can facilitate
+ discovery by convergent efforts from theoretical, experimental and cognitive neuroscience,
+ as well as computer science and engineering.
+Department: Psychological and Brain Sciences
FieldOfScience: Neuroscience
Organization: Indiana University
PIName: Franco Pestilli
@@ -9,3 +12,4 @@ ID: '539'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.15'
diff --git a/projects/cellpainting.yaml b/projects/cellpainting.yaml
index 70bde5977..3447bc88e 100644
--- a/projects/cellpainting.yaml
+++ b/projects/cellpainting.yaml
@@ -1,28 +1,27 @@
Department: Imaging Platform
-Description: "We aim to pioneer a new era where images of cells become\npowerful,\
- \ rich, unbiased data sources for comparing cell state. We predict that\ndoing so\
- \ will allow rapid and inexpensive interrogation of the impact of genetic\nor chemical\
- \ perturbations on a cell - useful for a variety of important\napplications in biology.\n\
- \nIn morphological profiling, we construct signatures of genes, chemicals, or\n\
- other treatments by measuring the structural changes in treated cells, as\nobserved\
- \ under a microscope. Cells are stained with fluorescent dyes that mark\nseveral\
- \ constituents, producing images from which hundreds of distinct\nmeasurements can\
- \ be extracted at the single cell level. We will carry out\nproof-of-principle computational\
- \ experiments using morphological profiling in\ndiverse and significant applications,\
- \ such as connecting unannotated genes to\nknown pathways, identifying signatures\
- \ of disease, predicting a small molecule\u2019s\nmechanism of action, enriching\
- \ chemical libraries for diverse bioactivity, and\nidentifying new compounds or\
- \ materials with desired phenotypic effects. Despite\nour successes in this field\
- \ so far, the methods development for morphological\nprofiling is a wild frontier:\
- \ novel methods are used but not compared,\nintegration with other data types (such\
- \ as transcriptomics) has not !\nbeen explored, and deep learning is not yet leveraged\
- \ to its potential. We will\ncontinue to push forward the technology development\
- \ needed in our driving\nbiological projects. We will make data and code publicly\
- \ available to catalyze\nthe field. Ultimately, we aim to develop best practices\
- \ for the field and create\nthe foundation for user-friendly, open-source tools\
- \ to discover and quantify\nrelationships among genetic or chemical perturbations\
- \ and disease state, across\na diverse array of biological areas of study and disease\
- \ areas."
+Description: "We aim to pioneer a new era where images of cells become\npowerful,
+ rich, unbiased data sources for comparing cell state. We predict that\ndoing so
+ will allow rapid and inexpensive interrogation of the impact of genetic\nor chemical
+ perturbations on a cell - useful for a variety of important\napplications in biology.\n
+ \nIn morphological profiling, we construct signatures of genes, chemicals, or\n
+ other treatments by measuring the structural changes in treated cells, as\nobserved
+ under a microscope. Cells are stained with fluorescent dyes that mark\nseveral constituents,
+ producing images from which hundreds of distinct\nmeasurements can be extracted
+ at the single cell level. We will carry out\nproof-of-principle computational experiments
+ using morphological profiling in\ndiverse and significant applications, such as
+ connecting unannotated genes to\nknown pathways, identifying signatures of disease,
+ predicting a small molecule’s\nmechanism of action, enriching chemical libraries
+ for diverse bioactivity, and\nidentifying new compounds or materials with desired
+ phenotypic effects. Despite\nour successes in this field so far, the methods development
+ for morphological\nprofiling is a wild frontier: novel methods are used but not
+ compared,\nintegration with other data types (such as transcriptomics) has not !\n
+ been explored, and deep learning is not yet leveraged to its potential. We will\n
+ continue to push forward the technology development needed in our driving\nbiological
+ projects. We will make data and code publicly available to catalyze\nthe field.
+ Ultimately, we aim to develop best practices for the field and create\nthe foundation
+ for user-friendly, open-source tools to discover and quantify\nrelationships among
+ genetic or chemical perturbations and disease state, across\na diverse array of
+ biological areas of study and disease areas."
FieldOfScience: Molecular and Structural Biosciences
ID: '510'
Organization: Broad Institute
@@ -30,3 +29,4 @@ PIName: Shantanu Singh
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/cgdna.yaml b/projects/cgdna.yaml
index 6f4d9a259..3ada58c84 100644
--- a/projects/cgdna.yaml
+++ b/projects/cgdna.yaml
@@ -11,3 +11,4 @@ PIName: Juan J de Pablo
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/cgl.yaml b/projects/cgl.yaml
index 0e8227852..e06cc06da 100644
--- a/projects/cgl.yaml
+++ b/projects/cgl.yaml
@@ -8,3 +8,4 @@ PIName: Jason H. Moore
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/chemml.yaml b/projects/chemml.yaml
index c9e92df9f..7e6990dce 100644
--- a/projects/chemml.yaml
+++ b/projects/chemml.yaml
@@ -1,4 +1,6 @@
-Description: Data-driven machine learning as surrogates for quantum chemical methods. Data from the project will be made open to improve existing quantum ML methods as well as next generation atomistic force fields.
+Description: Data-driven machine learning as surrogates for quantum chemical methods.
+ Data from the project will be made open to improve existing quantum ML methods as
+ well as next generation atomistic force fields.
Department: Chemistry
FieldOfScience: Chemistry
Organization: University of Pittsburgh
@@ -9,3 +11,4 @@ ID: '576'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/clarkson_mondal.yaml b/projects/clarkson_mondal.yaml
index 99bdacde1..270c6cd64 100644
--- a/projects/clarkson_mondal.yaml
+++ b/projects/clarkson_mondal.yaml
@@ -1,5 +1,6 @@
Department: Mathematics
-Description: Feature Selection and Prediction of Rheumatoid Arthritis from Comorbidities using Bayesian Logistic Regression
+Description: Feature Selection and Prediction of Rheumatoid Arthritis from Comorbidities
+ using Bayesian Logistic Regression
FieldOfScience: Mathematics
ID: '598'
Organization: Clarkson University
@@ -7,3 +8,4 @@ PIName: Sumona Mondal
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27.01'
diff --git a/projects/clas12MC.yaml b/projects/clas12MC.yaml
index db8f5ff1a..69238eafe 100644
--- a/projects/clas12MC.yaml
+++ b/projects/clas12MC.yaml
@@ -8,3 +8,4 @@ Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0806'
diff --git a/projects/cms-org-baylor.yaml b/projects/cms-org-baylor.yaml
index 247be46a0..6d89b8e1f 100644
--- a/projects/cms-org-baylor.yaml
+++ b/projects/cms-org-baylor.yaml
@@ -7,3 +7,4 @@ PIName: Kenichi Hatakeyama
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms-org-cern.yaml b/projects/cms-org-cern.yaml
index 0cd21ac65..5763743b6 100644
--- a/projects/cms-org-cern.yaml
+++ b/projects/cms-org-cern.yaml
@@ -7,3 +7,4 @@ PIName: Achille Petrilli
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.0804'
diff --git a/projects/cms-org-nd.yaml b/projects/cms-org-nd.yaml
index 37979b18c..b4fd682e8 100644
--- a/projects/cms-org-nd.yaml
+++ b/projects/cms-org-nd.yaml
@@ -7,3 +7,4 @@ PIName: Kevin Lannon
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.baylor.yaml b/projects/cms.org.baylor.yaml
index c77c7d5f1..7f86e63d9 100644
--- a/projects/cms.org.baylor.yaml
+++ b/projects/cms.org.baylor.yaml
@@ -7,3 +7,4 @@ PIName: Kenichi Hatakeyama
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.brown.yaml b/projects/cms.org.brown.yaml
index 821f2101f..b067ff5f6 100644
--- a/projects/cms.org.brown.yaml
+++ b/projects/cms.org.brown.yaml
@@ -7,3 +7,4 @@ PIName: Meenakshi Narain
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.bu.yaml b/projects/cms.org.bu.yaml
index e0d753b87..3c11c0b6e 100644
--- a/projects/cms.org.bu.yaml
+++ b/projects/cms.org.bu.yaml
@@ -7,3 +7,4 @@ PIName: Jim Rohlf
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.buffalo.yaml b/projects/cms.org.buffalo.yaml
index fe4ef03f4..d1aabd9e7 100644
--- a/projects/cms.org.buffalo.yaml
+++ b/projects/cms.org.buffalo.yaml
@@ -7,3 +7,4 @@ PIName: Avto Kharchilava
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.caltech.yaml b/projects/cms.org.caltech.yaml
index 483773b47..2da6129ef 100644
--- a/projects/cms.org.caltech.yaml
+++ b/projects/cms.org.caltech.yaml
@@ -7,3 +7,4 @@ PIName: Harvey Newman
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.cern.yaml b/projects/cms.org.cern.yaml
index caa69c6e3..925a1e617 100644
--- a/projects/cms.org.cern.yaml
+++ b/projects/cms.org.cern.yaml
@@ -7,3 +7,4 @@ PIName: Achille Petrilli
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.0804'
diff --git a/projects/cms.org.cmu.yaml b/projects/cms.org.cmu.yaml
index 2eafd9b9b..3dd582bac 100644
--- a/projects/cms.org.cmu.yaml
+++ b/projects/cms.org.cmu.yaml
@@ -7,3 +7,4 @@ PIName: Manfred Paulini
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.colorado.yaml b/projects/cms.org.colorado.yaml
index be172bada..4131fee47 100644
--- a/projects/cms.org.colorado.yaml
+++ b/projects/cms.org.colorado.yaml
@@ -7,3 +7,4 @@ PIName: Douglas Johnson
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.cornell.yaml b/projects/cms.org.cornell.yaml
index d02a4eb6b..d69137c02 100644
--- a/projects/cms.org.cornell.yaml
+++ b/projects/cms.org.cornell.yaml
@@ -7,3 +7,4 @@ PIName: Jim Alexander
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.fairfield.yaml b/projects/cms.org.fairfield.yaml
index 5f3b65b94..76bebbd5b 100644
--- a/projects/cms.org.fairfield.yaml
+++ b/projects/cms.org.fairfield.yaml
@@ -7,3 +7,4 @@ PIName: Dave Winn
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.fit.yaml b/projects/cms.org.fit.yaml
index c8e043efc..f4174a80c 100644
--- a/projects/cms.org.fit.yaml
+++ b/projects/cms.org.fit.yaml
@@ -7,3 +7,4 @@ PIName: Marc Baarmand
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.fiu.yaml b/projects/cms.org.fiu.yaml
index 61cfdb6f7..93d0797b7 100644
--- a/projects/cms.org.fiu.yaml
+++ b/projects/cms.org.fiu.yaml
@@ -7,3 +7,4 @@ PIName: Pete Markowitz
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.fnal.yaml b/projects/cms.org.fnal.yaml
index dfb110954..b81f9bd13 100644
--- a/projects/cms.org.fnal.yaml
+++ b/projects/cms.org.fnal.yaml
@@ -7,3 +7,4 @@ PIName: Lothar Bauerdick
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.fsu.yaml b/projects/cms.org.fsu.yaml
index 4670ad259..484e53913 100644
--- a/projects/cms.org.fsu.yaml
+++ b/projects/cms.org.fsu.yaml
@@ -7,3 +7,4 @@ PIName: Todd Adams
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.jhu.yaml b/projects/cms.org.jhu.yaml
index 668a7f5ad..eeb7a15c0 100644
--- a/projects/cms.org.jhu.yaml
+++ b/projects/cms.org.jhu.yaml
@@ -7,3 +7,4 @@ PIName: Morris Swartz
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.ksu.yaml b/projects/cms.org.ksu.yaml
index 99662d193..70f33fb20 100644
--- a/projects/cms.org.ksu.yaml
+++ b/projects/cms.org.ksu.yaml
@@ -7,3 +7,4 @@ PIName: Yurii Maravin
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.ku.yaml b/projects/cms.org.ku.yaml
index 57944f575..0a625e3c0 100644
--- a/projects/cms.org.ku.yaml
+++ b/projects/cms.org.ku.yaml
@@ -7,3 +7,4 @@ PIName: Alice Bean
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.llnl.yaml b/projects/cms.org.llnl.yaml
index 1cc721e1a..8a83ab902 100644
--- a/projects/cms.org.llnl.yaml
+++ b/projects/cms.org.llnl.yaml
@@ -7,3 +7,4 @@ PIName: Doug Wright
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.mit.yaml b/projects/cms.org.mit.yaml
index 73c569350..4810cdf72 100644
--- a/projects/cms.org.mit.yaml
+++ b/projects/cms.org.mit.yaml
@@ -7,3 +7,4 @@ PIName: Christoph Paus
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.nd.yaml b/projects/cms.org.nd.yaml
index 33338de78..1d575d19d 100644
--- a/projects/cms.org.nd.yaml
+++ b/projects/cms.org.nd.yaml
@@ -7,3 +7,4 @@ PIName: Kevin Lannon
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.0804'
diff --git a/projects/cms.org.neu.yaml b/projects/cms.org.neu.yaml
index b16a0db06..79b605836 100644
--- a/projects/cms.org.neu.yaml
+++ b/projects/cms.org.neu.yaml
@@ -7,3 +7,4 @@ PIName: Emanuela Barbaris
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.northwestern.yaml b/projects/cms.org.northwestern.yaml
index c082e8b45..a1c74f0da 100644
--- a/projects/cms.org.northwestern.yaml
+++ b/projects/cms.org.northwestern.yaml
@@ -7,3 +7,4 @@ PIName: Mayda Velasco
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.ohiostate.yaml b/projects/cms.org.ohiostate.yaml
index 6fe5f8c4e..7b1a7eef1 100644
--- a/projects/cms.org.ohiostate.yaml
+++ b/projects/cms.org.ohiostate.yaml
@@ -7,3 +7,4 @@ PIName: Stan Durkin
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.olemiss.yaml b/projects/cms.org.olemiss.yaml
index 7f98638aa..b6bc4d5ae 100644
--- a/projects/cms.org.olemiss.yaml
+++ b/projects/cms.org.olemiss.yaml
@@ -7,3 +7,4 @@ PIName: Lucien Cremaldi
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.princeton.yaml b/projects/cms.org.princeton.yaml
index f12f3435d..7f3b15f48 100644
--- a/projects/cms.org.princeton.yaml
+++ b/projects/cms.org.princeton.yaml
@@ -7,3 +7,4 @@ PIName: Dan Marlow
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.purdue.yaml b/projects/cms.org.purdue.yaml
index 6feb5b9e5..f056077ab 100644
--- a/projects/cms.org.purdue.yaml
+++ b/projects/cms.org.purdue.yaml
@@ -7,3 +7,4 @@ PIName: Norbert Neumeister
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.purduecal.yaml b/projects/cms.org.purduecal.yaml
index 2de213b76..d441c476d 100644
--- a/projects/cms.org.purduecal.yaml
+++ b/projects/cms.org.purduecal.yaml
@@ -7,3 +7,4 @@ PIName: Neeti Parashar
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.rice.yaml b/projects/cms.org.rice.yaml
index e088a0eb7..6b3d0f1cd 100644
--- a/projects/cms.org.rice.yaml
+++ b/projects/cms.org.rice.yaml
@@ -7,3 +7,4 @@ PIName: Jay Roberts
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.rochester.yaml b/projects/cms.org.rochester.yaml
index 1d5c8d62e..f6d464c3d 100644
--- a/projects/cms.org.rochester.yaml
+++ b/projects/cms.org.rochester.yaml
@@ -7,3 +7,4 @@ PIName: Regina Demina
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.rockefeller.yaml b/projects/cms.org.rockefeller.yaml
index 9aedfaa7c..bcb7cd9cf 100644
--- a/projects/cms.org.rockefeller.yaml
+++ b/projects/cms.org.rockefeller.yaml
@@ -7,3 +7,4 @@ PIName: Dino Goulianos
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.rutgers.yaml b/projects/cms.org.rutgers.yaml
index 45cde3c4a..531277eba 100644
--- a/projects/cms.org.rutgers.yaml
+++ b/projects/cms.org.rutgers.yaml
@@ -7,3 +7,4 @@ PIName: Amit Lath
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.tamu.yaml b/projects/cms.org.tamu.yaml
index 83d50c3f1..472b531ff 100644
--- a/projects/cms.org.tamu.yaml
+++ b/projects/cms.org.tamu.yaml
@@ -7,3 +7,4 @@ PIName: Alexei Safonov
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.ttu.yaml b/projects/cms.org.ttu.yaml
index 4f4a711a4..6864b8552 100644
--- a/projects/cms.org.ttu.yaml
+++ b/projects/cms.org.ttu.yaml
@@ -7,3 +7,4 @@ PIName: Nural Akchurin
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.ua.yaml b/projects/cms.org.ua.yaml
index 65f24e304..6741d399a 100644
--- a/projects/cms.org.ua.yaml
+++ b/projects/cms.org.ua.yaml
@@ -7,3 +7,4 @@ PIName: Conor Henderson
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.ucdavis.yaml b/projects/cms.org.ucdavis.yaml
index 12f7be819..895c13b12 100644
--- a/projects/cms.org.ucdavis.yaml
+++ b/projects/cms.org.ucdavis.yaml
@@ -7,3 +7,4 @@ PIName: John Conway
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.ucla.yaml b/projects/cms.org.ucla.yaml
index 7f8862793..cf231e075 100644
--- a/projects/cms.org.ucla.yaml
+++ b/projects/cms.org.ucla.yaml
@@ -7,3 +7,4 @@ PIName: Jay Hauser
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.ucr.yaml b/projects/cms.org.ucr.yaml
index 6d770bdf6..08f88192a 100644
--- a/projects/cms.org.ucr.yaml
+++ b/projects/cms.org.ucr.yaml
@@ -7,3 +7,4 @@ PIName: Gail Hanson
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.ucsb.yaml b/projects/cms.org.ucsb.yaml
index cfc1bcb4a..b305054b4 100644
--- a/projects/cms.org.ucsb.yaml
+++ b/projects/cms.org.ucsb.yaml
@@ -7,3 +7,4 @@ PIName: Joe Incandela
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.ucsd.yaml b/projects/cms.org.ucsd.yaml
index d6e6c6b06..4d32e50cf 100644
--- a/projects/cms.org.ucsd.yaml
+++ b/projects/cms.org.ucsd.yaml
@@ -7,3 +7,4 @@ PIName: Frank Wuerthwein
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.ufl.yaml b/projects/cms.org.ufl.yaml
index 65d16053b..9c053c902 100644
--- a/projects/cms.org.ufl.yaml
+++ b/projects/cms.org.ufl.yaml
@@ -7,3 +7,4 @@ PIName: Gena Mitselmakher
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.uic.yaml b/projects/cms.org.uic.yaml
index d17635e01..f05b415a0 100644
--- a/projects/cms.org.uic.yaml
+++ b/projects/cms.org.uic.yaml
@@ -7,3 +7,4 @@ PIName: Nikos Varelas
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.uiowa.yaml b/projects/cms.org.uiowa.yaml
index 176bab37b..c52dbdb69 100644
--- a/projects/cms.org.uiowa.yaml
+++ b/projects/cms.org.uiowa.yaml
@@ -7,3 +7,4 @@ PIName: Yasar Onel
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.umd.yaml b/projects/cms.org.umd.yaml
index 1a6a6a6b4..d1d8ca7e1 100644
--- a/projects/cms.org.umd.yaml
+++ b/projects/cms.org.umd.yaml
@@ -7,3 +7,4 @@ PIName: Andris Skuja
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.umn.yaml b/projects/cms.org.umn.yaml
index 3e4c24f33..b81cc48d5 100644
--- a/projects/cms.org.umn.yaml
+++ b/projects/cms.org.umn.yaml
@@ -7,3 +7,4 @@ PIName: Roger Rusack
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.unl.yaml b/projects/cms.org.unl.yaml
index e447aeaee..8cbca434c 100644
--- a/projects/cms.org.unl.yaml
+++ b/projects/cms.org.unl.yaml
@@ -7,3 +7,4 @@ PIName: Kenneth Bloom
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.upr.yaml b/projects/cms.org.upr.yaml
index b0af6a001..71e7fcb64 100644
--- a/projects/cms.org.upr.yaml
+++ b/projects/cms.org.upr.yaml
@@ -7,3 +7,4 @@ PIName: Malik Sudhir
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.utk.yaml b/projects/cms.org.utk.yaml
index 6546fe69c..af2122075 100644
--- a/projects/cms.org.utk.yaml
+++ b/projects/cms.org.utk.yaml
@@ -7,3 +7,4 @@ PIName: Stefan Spanier
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.vanderbilt.yaml b/projects/cms.org.vanderbilt.yaml
index f192346d8..fc5f2b92e 100644
--- a/projects/cms.org.vanderbilt.yaml
+++ b/projects/cms.org.vanderbilt.yaml
@@ -7,3 +7,4 @@ PIName: Will Johns
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.virginia.yaml b/projects/cms.org.virginia.yaml
index e7a774ea3..8b1941b98 100644
--- a/projects/cms.org.virginia.yaml
+++ b/projects/cms.org.virginia.yaml
@@ -7,3 +7,4 @@ PIName: Brad Cox
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.wayne.yaml b/projects/cms.org.wayne.yaml
index 9a44e9d2f..916f7df70 100644
--- a/projects/cms.org.wayne.yaml
+++ b/projects/cms.org.wayne.yaml
@@ -7,3 +7,4 @@ PIName: Paul Karchin
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/cms.org.wisc.yaml b/projects/cms.org.wisc.yaml
index 0d5ddee70..d4e990430 100644
--- a/projects/cms.org.wisc.yaml
+++ b/projects/cms.org.wisc.yaml
@@ -7,3 +7,4 @@ PIName: Wesley Smith
Sponsor:
CampusGrid:
Name: CMS Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/colorcat.yaml b/projects/colorcat.yaml
index af78d8558..1f666c227 100644
--- a/projects/colorcat.yaml
+++ b/projects/colorcat.yaml
@@ -17,3 +17,4 @@ PIName: Joshua B. Plotkin
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.13'
diff --git a/projects/compcomb.yaml b/projects/compcomb.yaml
index 9b5a95c21..312600552 100644
--- a/projects/compcomb.yaml
+++ b/projects/compcomb.yaml
@@ -8,3 +8,4 @@ PIName: Derrick Stolee
Sponsor:
VirtualOrganization:
Name: HCC
+FieldOfScienceID: '27'
diff --git a/projects/cyverse.yaml b/projects/cyverse.yaml
index 5d2fad3d4..bc68fe55f 100644
--- a/projects/cyverse.yaml
+++ b/projects/cyverse.yaml
@@ -10,3 +10,4 @@ PIName: Nirav Merchant
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/dVdT.yaml b/projects/dVdT.yaml
index 35fc33096..93b678e9c 100644
--- a/projects/dVdT.yaml
+++ b/projects/dVdT.yaml
@@ -1,13 +1,12 @@
Department: Information Sciences Institute
-Description: "The main goal of the project is to design a computational framework\
- \ that enables computational experimentation at scale while supporting the model\
- \ of \u201Csubmit locally, compute globally\u201D. The project focuses on estimating\
- \ application resource needs, finding the appropriate computing resources, acquiring\
- \ those resources, deploying the applications and data on the resources, managing\
- \ applications and resources during run. The project also aims to advance the understanding\
- \ of resource management within a collaboration in the areas of: trust, planning\
- \ for resource provisioning, and workload, computer, data, and network resource\
- \ management."
+Description: 'The main goal of the project is to design a computational framework
+ that enables computational experimentation at scale while supporting the model of
+ “submit locally, compute globally”. The project focuses on estimating application
+ resource needs, finding the appropriate computing resources, acquiring those resources,
+ deploying the applications and data on the resources, managing applications and
+ resources during run. The project also aims to advance the understanding of resource
+ management within a collaboration in the areas of: trust, planning for resource
+ provisioning, and workload, computer, data, and network resource management.'
FieldOfScience: Computer and Information Science and Engineering
ID: '94'
Organization: University of Southern California
@@ -15,3 +14,4 @@ PIName: Ewa Deelman
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '11'
diff --git a/projects/darkside.yaml b/projects/darkside.yaml
index a075241b1..c53db5864 100644
--- a/projects/darkside.yaml
+++ b/projects/darkside.yaml
@@ -7,3 +7,4 @@ PIName: Joe Boyd
Sponsor:
VirtualOrganization:
Name: Darkside
+FieldOfScienceID: '40.08'
diff --git a/projects/ddpscbioinfo.yaml b/projects/ddpscbioinfo.yaml
index cbe6aa269..c9bd1453b 100644
--- a/projects/ddpscbioinfo.yaml
+++ b/projects/ddpscbioinfo.yaml
@@ -11,3 +11,4 @@ PIName: Noah Fahlgren
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.03'
diff --git a/projects/duke-4fermion.yaml b/projects/duke-4fermion.yaml
index a913cf9c1..4a7bbf979 100644
--- a/projects/duke-4fermion.yaml
+++ b/projects/duke-4fermion.yaml
@@ -8,3 +8,4 @@ PIName: Shailesh Chandrasekharan
Sponsor:
CampusGrid:
Name: Duke
+FieldOfScienceID: '40.08'
diff --git a/projects/duke-CMT.yaml b/projects/duke-CMT.yaml
index 037d61b91..25d45a709 100644
--- a/projects/duke-CMT.yaml
+++ b/projects/duke-CMT.yaml
@@ -11,3 +11,4 @@ PIName: Harold U. Baranger
Sponsor:
CampusGrid:
Name: Duke
+FieldOfScienceID: '40.0808'
diff --git a/projects/duke-EfficientScore.yaml b/projects/duke-EfficientScore.yaml
index ff6d24bd7..0984e9f40 100644
--- a/projects/duke-EfficientScore.yaml
+++ b/projects/duke-EfficientScore.yaml
@@ -7,3 +7,4 @@ PIName: Konosuke Iwamoto
Sponsor:
CampusGrid:
Name: Duke
+FieldOfScienceID: '27.05'
diff --git a/projects/duke-SWC-Duke15.yaml b/projects/duke-SWC-Duke15.yaml
index 932113d41..ef2def1e0 100644
--- a/projects/duke-SWC-Duke15.yaml
+++ b/projects/duke-SWC-Duke15.yaml
@@ -7,3 +7,4 @@ PIName: Mark R. DeLong
Sponsor:
CampusGrid:
Name: Duke
+FieldOfScienceID: '30'
diff --git a/projects/duke-WaterCrystal.yaml b/projects/duke-WaterCrystal.yaml
index ba75c6e3e..cdc999af6 100644
--- a/projects/duke-WaterCrystal.yaml
+++ b/projects/duke-WaterCrystal.yaml
@@ -7,3 +7,4 @@ PIName: Patrick Charbonneau
Sponsor:
CampusGrid:
Name: Duke
+FieldOfScienceID: '26.0202'
diff --git a/projects/duke-bgswgs.yaml b/projects/duke-bgswgs.yaml
index fc1f46d1f..0cf90cab1 100644
--- a/projects/duke-bgswgs.yaml
+++ b/projects/duke-bgswgs.yaml
@@ -7,3 +7,4 @@ PIName: Hai Yan
Sponsor:
CampusGrid:
Name: Duke
+FieldOfScienceID: '26.1103'
diff --git a/projects/duke-boolnet.yaml b/projects/duke-boolnet.yaml
index f5068e879..8dd55134f 100644
--- a/projects/duke-boolnet.yaml
+++ b/projects/duke-boolnet.yaml
@@ -8,3 +8,4 @@ PIName: Daniel Gauthier
Sponsor:
CampusGrid:
Name: Duke
+FieldOfScienceID: '40.08'
diff --git a/projects/duke-campus.yaml b/projects/duke-campus.yaml
index 1adc12cbb..c7e9bd146 100644
--- a/projects/duke-campus.yaml
+++ b/projects/duke-campus.yaml
@@ -7,3 +7,4 @@ PIName: Tom Milledge
Sponsor:
CampusGrid:
Name: Duke
+FieldOfScienceID: nan
diff --git a/projects/duke-staff.yaml b/projects/duke-staff.yaml
index 03e33b663..650521c76 100644
--- a/projects/duke-staff.yaml
+++ b/projects/duke-staff.yaml
@@ -7,3 +7,4 @@ PIName: Tom Milledge
Sponsor:
CampusGrid:
Name: Duke
+FieldOfScienceID: nan
diff --git a/projects/duke-swcstaff.yaml b/projects/duke-swcstaff.yaml
index 354e263db..dd616a101 100644
--- a/projects/duke-swcstaff.yaml
+++ b/projects/duke-swcstaff.yaml
@@ -1,7 +1,5 @@
Department: Office of Information Technology
-Description: 'Duke Software Carpentry Workshop from Oct 27th to Oct 29th 2015
-
- http://swc-osg-workshop.github.io/2015-10-27-duke/index.html'
+Description: "Duke Software Carpentry Workshop from Oct 27th to Oct 29th 2015\nhttp://swc-osg-workshop.github.io/2015-10-27-duke/index.html"
FieldOfScience: Multi-Science Community
ID: '190'
Organization: Duke University
@@ -9,3 +7,4 @@ PIName: Mark R. DeLong
Sponsor:
CampusGrid:
Name: Duke
+FieldOfScienceID: '30'
diff --git a/projects/duke.lsst.yaml b/projects/duke.lsst.yaml
index bb9bd42bc..14284cf1e 100644
--- a/projects/duke.lsst.yaml
+++ b/projects/duke.lsst.yaml
@@ -7,3 +7,4 @@ PIName: Steven Kahn
Sponsor:
CampusGrid:
Name: Duke
+FieldOfScienceID: '40.02'
diff --git a/projects/duke.ppsa.yaml b/projects/duke.ppsa.yaml
index 623c21a4c..66d423bc7 100644
--- a/projects/duke.ppsa.yaml
+++ b/projects/duke.ppsa.yaml
@@ -7,3 +7,4 @@ PIName: Irem Altan
Sponsor:
CampusGrid:
Name: Duke
+FieldOfScienceID: '40.05'
diff --git a/projects/dynamo.yaml b/projects/dynamo.yaml
index 4fc7402c5..e1d5a13b4 100644
--- a/projects/dynamo.yaml
+++ b/projects/dynamo.yaml
@@ -12,3 +12,4 @@ PIName: Asher Wasserman
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0202'
diff --git a/projects/ePIC.yaml b/projects/ePIC.yaml
index 0d3aa1337..fcdd1414a 100644
--- a/projects/ePIC.yaml
+++ b/projects/ePIC.yaml
@@ -6,3 +6,4 @@ PIName: John Lajoie
Sponsor:
VirtualOrganization:
Name: EIC
+FieldOfScienceID: '40.0806'
diff --git a/projects/eht.yaml b/projects/eht.yaml
index d9975544e..11dfd662b 100644
--- a/projects/eht.yaml
+++ b/projects/eht.yaml
@@ -1,4 +1,5 @@
-Description: The Event Horizon Telescope (EHT) is an international collaboration aiming to capture the first image of a black hole by creating a virtual Earth-sized telescope.
+Description: The Event Horizon Telescope (EHT) is an international collaboration aiming
+ to capture the first image of a black hole by creating a virtual Earth-sized telescope.
Department: Astronomy
FieldOfScience: Astronomy
Organization: University of Arizona
@@ -9,3 +10,4 @@ ID: '531'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.02'
diff --git a/projects/electrolytes.yaml b/projects/electrolytes.yaml
index ea9aaf11c..7ee87cf8b 100644
--- a/projects/electrolytes.yaml
+++ b/projects/electrolytes.yaml
@@ -10,3 +10,4 @@ PIName: Jesse McDaniel
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/errorstudy.yaml b/projects/errorstudy.yaml
index e144ac27e..900288d19 100644
--- a/projects/errorstudy.yaml
+++ b/projects/errorstudy.yaml
@@ -1,26 +1,25 @@
Department: National Center for Genetic Resources Preservation
-Description: "Missing data and genotyping errors are common features of microsatellite\
- \ data sets used to infer the genetic structure of natural populations. We used\
- \ simulated data to quantify the effect of these data aberrations on the accuracy\
- \ of population structure inference. Data sets were simulated under the coalescent\
- \ and ranged from panmictic to highly subdivided with complex, randomly generated,\
- \ population histories. Models describing the characteristic patterns of missing\
- \ data and genotyping error in real microsatellite data sets were developed, and\
- \ used to modify the simulated data sets. Performance of an ordination, a tree\
- \ based, and a model based Bayesian method of population structure inference was\
- \ evaluated before and after data set modifications. The ability to recover correct\
- \ population clusters decreased as missing data increased. The rate of decrease\
- \ was similar among analytical procedures, thus no single analytical approach was\
- \ preferable when\n faced with incomplete data. Researchers should expect to retrieve\
- \ 3\u20134% fewer correct clusters for every 1% of a data matrix made up of missing\
- \ data using these methods. For every 1% of a matrix that contained erroneous genotypes,\
- \ approximately 1\u20132% fewer correct clusters were recovered using ordination\
- \ and tree based methods. A Bayesian procedure that minimizes the deviation from\
- \ Hardy Weinberg equilibrium in order to assign individuals to clusters performed\
- \ better as genotyping error increased. We attribute this surprising result to\
- \ the inbreeding like nature of microsatellite genotyping error, and recommend the\
- \ use of related analytical methods that explicitly account for inbreeding, as a\
- \ means to mitigate the effect of genotyping error."
+Description: "Missing data and genotyping errors are common features of microsatellite
+ data sets used to infer the genetic structure of natural populations. We used simulated
+ data to quantify the effect of these data aberrations on the accuracy of population
+ structure inference. Data sets were simulated under the coalescent and ranged from
+ panmictic to highly subdivided with complex, randomly generated, population histories.\
+ \ Models describing the characteristic patterns of missing data and genotyping
+ error in real microsatellite data sets were developed, and used to modify the simulated
+ data sets. Performance of an ordination, a tree based, and a model based Bayesian
+ method of population structure inference was evaluated before and after data set
+ modifications. The ability to recover correct population clusters decreased as
+ missing data increased. The rate of decrease was similar among analytical procedures,
+ thus no single analytical approach was preferable when\n faced with incomplete data.\
+ \ Researchers should expect to retrieve 3–4% fewer correct clusters for every 1%
+ of a data matrix made up of missing data using these methods. For every 1% of a
+ matrix that contained erroneous genotypes, approximately 1–2% fewer correct clusters
+ were recovered using ordination and tree based methods. A Bayesian procedure that
+ minimizes the deviation from Hardy Weinberg equilibrium in order to assign individuals
+ to clusters performed better as genotyping error increased. We attribute this surprising
+ result to the inbreeding like nature of microsatellite genotyping error, and recommend
+ the use of related analytical methods that explicitly account for inbreeding, as
+ a means to mitigate the effect of genotyping error."
FieldOfScience: Molecular and Structural Biosciences
ID: '125'
Organization: USDA Agricultural Research Service
@@ -28,3 +27,4 @@ PIName: Christopher Richards
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/evolmarinva.yaml b/projects/evolmarinva.yaml
index 73e8b7215..afefef4d7 100644
--- a/projects/evolmarinva.yaml
+++ b/projects/evolmarinva.yaml
@@ -8,3 +8,4 @@ PIName: Erik Sotka
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.13'
diff --git a/projects/extinction.yaml b/projects/extinction.yaml
index a23239f73..aa9b90f7d 100644
--- a/projects/extinction.yaml
+++ b/projects/extinction.yaml
@@ -9,3 +9,4 @@ PIName: Shripad Tuljapurkar
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.13'
diff --git a/projects/fluidsim.yaml b/projects/fluidsim.yaml
index 9fbdc7e7d..5ea5558a0 100644
--- a/projects/fluidsim.yaml
+++ b/projects/fluidsim.yaml
@@ -8,3 +8,4 @@ PIName: Erkan Tuzel
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/freesurfer.yaml b/projects/freesurfer.yaml
index 65ef384e6..bee2b88a8 100644
--- a/projects/freesurfer.yaml
+++ b/projects/freesurfer.yaml
@@ -7,3 +7,4 @@ PIName: Donald Krieger
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.15'
diff --git a/projects/fsuFin.yaml b/projects/fsuFin.yaml
index 336d1975e..bfa0ca7a5 100644
--- a/projects/fsuFin.yaml
+++ b/projects/fsuFin.yaml
@@ -7,3 +7,4 @@ PIName: François Cocquemas
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '52'
diff --git a/projects/g4PSI.yaml b/projects/g4PSI.yaml
index 53387e007..ad848c45a 100644
--- a/projects/g4PSI.yaml
+++ b/projects/g4PSI.yaml
@@ -9,3 +9,4 @@ PIName: Wolfgang Lorenzon
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/gem5.yaml b/projects/gem5.yaml
index ba638a8bc..67e1d769d 100644
--- a/projects/gem5.yaml
+++ b/projects/gem5.yaml
@@ -9,3 +9,4 @@ PIName: Dean Tullsen
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30'
diff --git a/projects/glass.yaml b/projects/glass.yaml
index 6ed6a5876..ee2422d3a 100644
--- a/projects/glass.yaml
+++ b/projects/glass.yaml
@@ -13,3 +13,4 @@ PIName: Patrick Charbonneau
Sponsor:
CampusGrid:
Name: Duke
+FieldOfScienceID: '40.0808'
diff --git a/projects/gm2.yaml b/projects/gm2.yaml
index 43e1a511a..a8cf81950 100644
--- a/projects/gm2.yaml
+++ b/projects/gm2.yaml
@@ -7,3 +7,4 @@ PIName: Joe Boyd
Sponsor:
VirtualOrganization:
Name: Fermilab
+FieldOfScienceID: '40.08'
diff --git a/projects/gridsgenomes.yaml b/projects/gridsgenomes.yaml
index 30e94d1af..039c14a27 100644
--- a/projects/gridsgenomes.yaml
+++ b/projects/gridsgenomes.yaml
@@ -16,3 +16,4 @@ PIName: David Rhee
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '26'
diff --git a/projects/hABCNWHI.yaml b/projects/hABCNWHI.yaml
index 7310bb146..4f1d16d93 100644
--- a/projects/hABCNWHI.yaml
+++ b/projects/hABCNWHI.yaml
@@ -1,26 +1,25 @@
Department: Biology
-Description: "Hierarchical Approximate Bayesian Computation to Detect Community Response\
- \ to Sea Level Change in the Hawaiian Archipelago. \n\nMethods that integrate population\
- \ sampling from multiple taxa into a single analysis are a much needed addition\
- \ to the comparative phylogeographic toolkit. Here we present a statistical framework\
- \ for multi-species analysis based on hierarchical approximate Bayesian computation\
- \ (hABC) for inferring community dynamics and concerted demographic response. Detecting\
- \ community response to climate change is an important issue with regards to how\
- \ species have and will react to past and future events. Furthermore, whether species\
- \ responded individualistically or in concert is at the center of related questions\
- \ about the abiotic and biotic determinants of community assembly. This method combines\
- \ multi-taxon genetic datasets into a single analysis to determine the proportion\
- \ of a contemporary community that historically expanded in a temporally clustered\
- \ pulse as well as when the pulse occurred. We will apply this method to 59 species\
- \ in the Hawaiian Archip ela! go in order to examine community response of coral\
- \ reef taxa to sea-level change in Hawaii. The method can accommodate dataset heterogeneity\
- \ such as variability in effective population size, mutation rates, and sample sizes\
- \ across species and utilizes borrowing strength from the simultaneous analysis\
- \ of multiple species. This hABC framework used in a multi-taxa demographic context\
- \ can increase our understanding of the impact of historical climate change by determining\
- \ what proportion of the community responded in concert or independently, and can\
- \ be used with a wide variety of comparative phylogeographic datasets as biota-wide\
- \ DNA barcoding data sets accumulate."
+Description: "Hierarchical Approximate Bayesian Computation to Detect Community Response
+ to Sea Level Change in the Hawaiian Archipelago. \n\nMethods that integrate population
+ sampling from multiple taxa into a single analysis are a much needed addition to
+ the comparative phylogeographic toolkit. Here we present a statistical framework
+ for multi-species analysis based on hierarchical approximate Bayesian computation
+ (hABC) for inferring community dynamics and concerted demographic response. Detecting
+ community response to climate change is an important issue with regards to how species
+ have and will react to past and future events. Furthermore, whether species responded
+ individualistically or in concert is at the center of related questions about the
+ abiotic and biotic determinants of community assembly. This method combines multi-taxon
+ genetic datasets into a single analysis to determine the proportion of a contemporary
+ community that historically expanded in a temporally clustered pulse as well as
+ when the pulse occurred. We will apply this method to 59 species in the Hawaiian
+ Archip ela! go in order to examine community response of coral reef taxa to sea-level
+ change in Hawaii. The method can accommodate dataset heterogeneity such as variability
+ in effective population size, mutation rates, and sample sizes across species and
+ utilizes borrowing strength from the simultaneous analysis of multiple species.
+ This hABC framework used in a multi-taxa demographic context can increase our understanding
+ of the impact of historical climate change by determining what proportion of the
+ community responded in concert or independently, and can be used with a wide variety
+ of comparative phylogeographic datasets as biota-wide DNA barcoding data sets accumulate."
FieldOfScience: Biological Sciences
ID: '300'
Organization: Iolani School
@@ -28,3 +27,4 @@ PIName: Yvonne Chan
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/holosim.yaml b/projects/holosim.yaml
index e5464a9ad..c7c3dab7b 100644
--- a/projects/holosim.yaml
+++ b/projects/holosim.yaml
@@ -7,3 +7,4 @@ PIName: Allan Strand
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.13'
diff --git a/projects/icarus.yaml b/projects/icarus.yaml
index 0b33aa99b..4cfaa25f1 100644
--- a/projects/icarus.yaml
+++ b/projects/icarus.yaml
@@ -7,3 +7,4 @@ PIName: Carlo Rubbia
Sponsor:
VirtualOrganization:
Name: Fermilab
+FieldOfScienceID: '40.08'
diff --git a/projects/idTrackerParallel.yaml b/projects/idTrackerParallel.yaml
index f7f6c7b0f..5f49aa35d 100644
--- a/projects/idTrackerParallel.yaml
+++ b/projects/idTrackerParallel.yaml
@@ -8,3 +8,4 @@ PIName: Andrew Ruether
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.13'
diff --git a/projects/lftsim.yaml b/projects/lftsim.yaml
index ae28105c8..68dd1489f 100644
--- a/projects/lftsim.yaml
+++ b/projects/lftsim.yaml
@@ -10,3 +10,4 @@ PIName: Joel Giedt
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/lychrelsearch.yaml b/projects/lychrelsearch.yaml
index 91082565b..91a2e2029 100644
--- a/projects/lychrelsearch.yaml
+++ b/projects/lychrelsearch.yaml
@@ -9,3 +9,4 @@ PIName: James P. Howard, II
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '27'
diff --git a/projects/mab.yaml b/projects/mab.yaml
index aeb0d1bab..86eef8e0c 100644
--- a/projects/mab.yaml
+++ b/projects/mab.yaml
@@ -7,3 +7,4 @@ PIName: Vivek Farias
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '52'
diff --git a/projects/macsSwigmodels.yaml b/projects/macsSwigmodels.yaml
index 4479321b8..74e3e8891 100644
--- a/projects/macsSwigmodels.yaml
+++ b/projects/macsSwigmodels.yaml
@@ -1,19 +1,19 @@
Department: Ecology and Evolutionary Biology
-Description: "Every individual\u2019s genome carries within it the history of all\
- \ the ancestors of that individual. Thus, by analyzing a small number of genomes,\
- \ we can accurately infer the demographic history of entire human populations. This\
- \ demographic history helps establish a baseline that is needed for research and\
- \ discovery in medical genomics. \nWe are using a process to more accurately infer\
- \ the demographic history of human populations by comparing genomic statistics from\
- \ millions of genome simulations to real population genomic data. While other researchers\
- \ have worked with this process using only a few individuals or a portion of a chromosome,\
- \ we are pushing the limit of computing capabilities by simulating whole chromosomes\
- \ of hundreds of individuals. Using the whole chromosome allows us to look at more\
- \ recent demographic history, which is particularly helpful in finding genetic links\
- \ to disease processes. After publication, we will make our pipeline available so\
- \ other researchers can apply it to other populations. \nThis project pushes the\
- \ frontier of genomic research in that it uses new methods, simulates a larger part\
- \ of the genome, and is being applied to populations not yet thoroughly studied."
+Description: "Every individual’s genome carries within it the history of all the ancestors
+ of that individual. Thus, by analyzing a small number of genomes, we can accurately
+ infer the demographic history of entire human populations. This demographic history
+ helps establish a baseline that is needed for research and discovery in medical
+ genomics. \nWe are using a process to more accurately infer the demographic history
+ of human populations by comparing genomic statistics from millions of genome simulations
+ to real population genomic data. While other researchers have worked with this process
+ using only a few individuals or a portion of a chromosome, we are pushing the limit
+ of computing capabilities by simulating whole chromosomes of hundreds of individuals.
+ Using the whole chromosome allows us to look at more recent demographic history,
+ which is particularly helpful in finding genetic links to disease processes. After
+ publication, we will make our pipeline available so other researchers can apply
+ it to other populations. \nThis project pushes the frontier of genomic research
+ in that it uses new methods, simulates a larger part of the genome, and is being
+ applied to populations not yet thoroughly studied."
FieldOfScience: Evolutionary Sciences
ID: '401'
Organization: University of Arizona
@@ -21,3 +21,4 @@ PIName: Ariella Gladstein
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.13'
diff --git a/projects/mars.yaml b/projects/mars.yaml
index 2a9dd5215..bf7654f3c 100644
--- a/projects/mars.yaml
+++ b/projects/mars.yaml
@@ -7,3 +7,4 @@ PIName: Joe Boyd
Sponsor:
VirtualOrganization:
Name: Fermilab
+FieldOfScienceID: '40.08'
diff --git a/projects/megaprobe.yaml b/projects/megaprobe.yaml
index 224d3ba51..bd5f25202 100644
--- a/projects/megaprobe.yaml
+++ b/projects/megaprobe.yaml
@@ -7,3 +7,4 @@ PIName: Humberto Ortiz-Zuazaga
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/microphases.yaml b/projects/microphases.yaml
index 291b1505a..9d059885c 100644
--- a/projects/microphases.yaml
+++ b/projects/microphases.yaml
@@ -13,3 +13,4 @@ PIName: Patrick Charbonneau
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/molcryst.yaml b/projects/molcryst.yaml
index 0b21c94a5..5b6490091 100644
--- a/projects/molcryst.yaml
+++ b/projects/molcryst.yaml
@@ -8,3 +8,4 @@ PIName: Olexandr Isayev
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/mortality.yaml b/projects/mortality.yaml
index 757ce634c..34ba38b2b 100644
--- a/projects/mortality.yaml
+++ b/projects/mortality.yaml
@@ -8,3 +8,4 @@ PIName: Shripad Tuljapurkar
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/mwt2-staff.yaml b/projects/mwt2-staff.yaml
index 10a21da95..7703d4d23 100644
--- a/projects/mwt2-staff.yaml
+++ b/projects/mwt2-staff.yaml
@@ -9,3 +9,4 @@ ID: '777'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/nEXO.yaml b/projects/nEXO.yaml
index 457305e83..fde20b6bb 100644
--- a/projects/nEXO.yaml
+++ b/projects/nEXO.yaml
@@ -1,7 +1,5 @@
Department: National Security Directorate
-Description: 'The nEXO experiment aims to search for double
-
- beta decay of Xenon-136.'
+Description: "The nEXO experiment aims to search for double\nbeta decay of Xenon-136."
FieldOfScience: High Energy Physics
ID: '431'
Organization: Pacific Northwest National Laboratory
@@ -9,3 +7,4 @@ PIName: Raymond Tsang
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/ncidft.yaml b/projects/ncidft.yaml
index 09500f613..f2288e523 100644
--- a/projects/ncidft.yaml
+++ b/projects/ncidft.yaml
@@ -12,3 +12,4 @@ PIName: Alberto Otero de la Roza
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/networkdist.yaml b/projects/networkdist.yaml
index e3a91bb61..16224f451 100644
--- a/projects/networkdist.yaml
+++ b/projects/networkdist.yaml
@@ -7,3 +7,4 @@ PIName: James Saxon
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.06'
diff --git a/projects/nicesims.yaml b/projects/nicesims.yaml
index 0d8ae6603..5bdf991ed 100644
--- a/projects/nicesims.yaml
+++ b/projects/nicesims.yaml
@@ -15,3 +15,4 @@ PIName: Nathan Kaib
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.1101'
diff --git a/projects/nnmbl.yaml b/projects/nnmbl.yaml
index 2e7e67dd8..8e3827c4a 100644
--- a/projects/nnmbl.yaml
+++ b/projects/nnmbl.yaml
@@ -1,9 +1,8 @@
-Description: I will be using techniques in machine learning and AI to
- better characterize the transition between the many-body localized and
- ergodic phases of the random field Heisenberg spin chain. Numerically,
- this will involve generating many disorder realizations of this model
- and calculating their spectra, and analyzing the resulting data using
- neural nets.
+Description: I will be using techniques in machine learning and AI to better characterize
+ the transition between the many-body localized and ergodic phases of the random
+ field Heisenberg spin chain. Numerically, this will involve generating many disorder
+ realizations of this model and calculating their spectra, and analyzing the resulting
+ data using neural nets.
Department: Physics
FieldOfScience: Computational Condensed Matter Physics
Organization: University of California, San Diego
@@ -15,3 +14,4 @@ Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0808'
diff --git a/projects/nsides.yaml b/projects/nsides.yaml
index 4b78ebe56..5a7475b3b 100644
--- a/projects/nsides.yaml
+++ b/projects/nsides.yaml
@@ -8,3 +8,4 @@ PIName: Nicholas Tatonetti
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/numfpi.yaml b/projects/numfpi.yaml
index 2e615d4e2..5f5349776 100644
--- a/projects/numfpi.yaml
+++ b/projects/numfpi.yaml
@@ -1,14 +1,10 @@
Department: Computer Science
-Description: 'We are developing a implementation of a Monte Carlo volume rendering
- method. The primary purpose is to impro
-
- ve the calculation of multiple scattering physics, with possible applications in
- computer graphics, nuclear physics, and remote s
-
- ensing. The project involves the numerical calculation of a Feynman path integral,
- which is what most of the computation is devot
-
- ed to, and the primary need for high throughput computing methods.'
+Description: "We are developing a implementation of a Monte Carlo volume rendering
+ method. The primary purpose is to impro\nve the calculation of multiple scattering
+ physics, with possible applications in computer graphics, nuclear physics, and remote
+ s\nensing. The project involves the numerical calculation of a Feynman path integral,
+ which is what most of the computation is devot\ned to, and the primary need for
+ high throughput computing methods."
FieldOfScience: Computer and Information Science and Engineering
ID: '173'
Organization: Clemson University
@@ -16,3 +12,4 @@ PIName: Jerry Tessendorf
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/oclab.yaml b/projects/oclab.yaml
index c8b5f09c1..c906711dc 100644
--- a/projects/oclab.yaml
+++ b/projects/oclab.yaml
@@ -7,3 +7,4 @@ PIName: Dave OConnor
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26'
diff --git a/projects/osg.Ceser.yaml b/projects/osg.Ceser.yaml
index 91ca0c543..3cb1e55f9 100644
--- a/projects/osg.Ceser.yaml
+++ b/projects/osg.Ceser.yaml
@@ -7,3 +7,4 @@ ID: 587
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30'
diff --git a/projects/panorama.yaml b/projects/panorama.yaml
index c431b6b43..1336d9eb4 100644
--- a/projects/panorama.yaml
+++ b/projects/panorama.yaml
@@ -7,3 +7,4 @@ PIName: Georgios Papadimitriou
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/peers.yaml b/projects/peers.yaml
index 3c739b7a1..8d213bb49 100644
--- a/projects/peers.yaml
+++ b/projects/peers.yaml
@@ -13,3 +13,4 @@ PIName: Jessica Sidler Folsom
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '13.0901'
diff --git a/projects/pipediffusion.yaml b/projects/pipediffusion.yaml
index 500d7a93d..9939421a0 100644
--- a/projects/pipediffusion.yaml
+++ b/projects/pipediffusion.yaml
@@ -8,3 +8,4 @@ PIName: Panthea Sepehrband
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.1001'
diff --git a/projects/plantGRN.yaml b/projects/plantGRN.yaml
index 6fc462701..5fb3bd92e 100644
--- a/projects/plantGRN.yaml
+++ b/projects/plantGRN.yaml
@@ -17,3 +17,4 @@ PIName: Karen McGinnis
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/polyHERV.yaml b/projects/polyHERV.yaml
index fd8576288..74074db52 100644
--- a/projects/polyHERV.yaml
+++ b/projects/polyHERV.yaml
@@ -7,3 +7,4 @@ PIName: Gkikas Magiorkinis
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/polymer.yaml b/projects/polymer.yaml
index 78f40ba97..a8883bfa2 100644
--- a/projects/polymer.yaml
+++ b/projects/polymer.yaml
@@ -1,7 +1,6 @@
Department: Mechanical Engineering
-Description: 'Investigate the thermal conductivity of polymer and polymer
-
- composites using MD simulation'
+Description: "Investigate the thermal conductivity of polymer and polymer\ncomposites
+ using MD simulation"
FieldOfScience: Materials Science
ID: '507'
Organization: University of Oklahoma
@@ -9,3 +8,4 @@ PIName: rajmohan muthaiah
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.1001'
diff --git a/projects/popage.yaml b/projects/popage.yaml
index 63391eb42..d6ef099fa 100644
--- a/projects/popage.yaml
+++ b/projects/popage.yaml
@@ -8,3 +8,4 @@ PIName: Benjamin Rose
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0202'
diff --git a/projects/poromech.yaml b/projects/poromech.yaml
index 71a948170..8ee7b6b18 100644
--- a/projects/poromech.yaml
+++ b/projects/poromech.yaml
@@ -1,18 +1,18 @@
Department: Environmental Engineering and Earth Sciences
-Description: "In order to reduce carbon dioxide emissions, experts have proposed requiring\
- \ major carbon dioxide emitters to modify their infrastructure to collect carbon\
- \ dioxide exhaust and compress it into a super-critical fluid for injection into\
- \ a well-sealed geologic structure such as an exhausted oil or natural gas reservoir.\
- \ We are therefore developing a tool to assess and monitor potential carbon capture\
- \ and storage sites. \n\nWe use large-scale reservoir simulations to investigate\
- \ the mechanical stresses that would effect a reservoir as it is injected with super-critical\
- \ carbon dioxide. Since we will not know the precise geologic structure of a given\
- \ field site, this requires us to run a very large number of computationally-intensive\
- \ simulations (10$^4$-10$^7$) in order to adequately investigate every possible\
- \ geologic structure. These simulations can then be compared to measurements from\
- \ the surface and from wells drilled into the reservoir, allowing us to identify\
- \ which proposed structures best explain the data. This will allow us to infer the\
- \ structure and state of the subsurface."
+Description: "In order to reduce carbon dioxide emissions, experts have proposed requiring
+ major carbon dioxide emitters to modify their infrastructure to collect carbon dioxide
+ exhaust and compress it into a super-critical fluid for injection into a well-sealed
+ geologic structure such as an exhausted oil or natural gas reservoir. We are therefore
+ developing a tool to assess and monitor potential carbon capture and storage sites.
+ \n\nWe use large-scale reservoir simulations to investigate the mechanical stresses
+ that would effect a reservoir as it is injected with super-critical carbon dioxide.
+ Since we will not know the precise geologic structure of a given field site, this
+ requires us to run a very large number of computationally-intensive simulations
+ (10$^4$-10$^7$) in order to adequately investigate every possible geologic structure.
+ These simulations can then be compared to measurements from the surface and from
+ wells drilled into the reservoir, allowing us to identify which proposed structures
+ best explain the data. This will allow us to infer the structure and state of the
+ subsurface."
FieldOfScience: Ecological and Environmental Sciences
ID: '339'
Organization: Clemson University
@@ -20,3 +20,4 @@ PIName: Stephen Moysey
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '15.05'
diff --git a/projects/psims.yaml b/projects/psims.yaml
index fab6a064c..8afeab64b 100644
--- a/projects/psims.yaml
+++ b/projects/psims.yaml
@@ -1,17 +1,17 @@
Department: Computation Institute
-Description: "A framework for massively parallel climate impact simulations: the parallel\
- \ System for Integrating Impact Models and Sectors (pSIMS). This framework comprises\
- \ a) tools for ingesting and \nconverting large amounts of data to a versatile datatype\
- \ based on a common geospatial grid; b) tools for translating this datatype into\
- \ custom formats for site-based models; c) a scalable parallel framework for performing\
- \ large ensemble simulations, using any one of a number of different impacts models,\
- \ on clusters, supercomputers, distributed grids, or clouds; d) tools and data standards\
- \ for reformatting outputs to common datatypes for analysis and visualization; and\
- \ e) methodologies for aggregating these datatypes to arbitrary spatial scales such\
- \ as administrative and environmental demarcations. By automating many time-consuming\
- \ and error-prone aspects of large-scale climate impacts studies, pSIMS\naccelerates\
- \ computational research, encourages model intercomparison, and enhances reproducibility\
- \ of\nsimulation results."
+Description: "A framework for massively parallel climate impact simulations: the parallel
+ System for Integrating Impact Models and Sectors (pSIMS). This framework comprises
+ a) tools for ingesting and \nconverting large amounts of data to a versatile datatype
+ based on a common geospatial grid; b) tools for translating this datatype into custom
+ formats for site-based models; c) a scalable parallel framework for performing large
+ ensemble simulations, using any one of a number of different impacts models, on
+ clusters, supercomputers, distributed grids, or clouds; d) tools and data standards
+ for reformatting outputs to common datatypes for analysis and visualization; and
+ e) methodologies for aggregating these datatypes to arbitrary spatial scales such
+ as administrative and environmental demarcations. By automating many time-consuming
+ and error-prone aspects of large-scale climate impacts studies, pSIMS\naccelerates
+ computational research, encourages model intercomparison, and enhances reproducibility
+ of\nsimulation results."
FieldOfScience: Earth Sciences
ID: '122'
Organization: University of Chicago
@@ -19,3 +19,4 @@ PIName: Joshua Elliott
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.06'
diff --git a/projects/psychosisfmri.yaml b/projects/psychosisfmri.yaml
index 89fc3a272..b9edd7575 100644
--- a/projects/psychosisfmri.yaml
+++ b/projects/psychosisfmri.yaml
@@ -11,3 +11,4 @@ PIName: De Sa Nunes Correia Diogo
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.15'
diff --git a/projects/rencinrig.yaml b/projects/rencinrig.yaml
index 2066c5c3e..1de2ed217 100644
--- a/projects/rencinrig.yaml
+++ b/projects/rencinrig.yaml
@@ -1,4 +1,5 @@
-Description: Project is intended to be used as a test project for a learning experience for the workflows on OSG.
+Description: Project is intended to be used as a test project for a learning experience
+ for the workflows on OSG.
Department: Computer Science
FieldOfScience: Computer Science
Organization: Renaissance Computing Institute
@@ -9,3 +10,4 @@ ID: '567'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11.07'
diff --git a/projects/retrovision.yaml b/projects/retrovision.yaml
index d7be33d2e..eea6ebc82 100644
--- a/projects/retrovision.yaml
+++ b/projects/retrovision.yaml
@@ -1,6 +1,6 @@
-Description: Simulation of the retrospective Bayesian model for visual
- perception and working memory published in PNAS, to create a
- mechanistic model for the aforementioned probabilistic framework
+Description: Simulation of the retrospective Bayesian model for visual perception
+ and working memory published in PNAS, to create a mechanistic model for the aforementioned
+ probabilistic framework
Department: Zuckerman Institute
FieldOfScience: Neuroscience
Organization: Columbia University
@@ -12,3 +12,4 @@ Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.15'
diff --git a/projects/sPHENIX.yaml b/projects/sPHENIX.yaml
index 52869aa5f..ec20b724b 100644
--- a/projects/sPHENIX.yaml
+++ b/projects/sPHENIX.yaml
@@ -9,3 +9,4 @@ PIName: Martin Purschke
Sponsor:
VirtualOrganization:
Name: OSG
+FieldOfScienceID: '40.0806'
diff --git a/projects/scicomp-analytics.yaml b/projects/scicomp-analytics.yaml
index 30d41bd68..82eb174cf 100644
--- a/projects/scicomp-analytics.yaml
+++ b/projects/scicomp-analytics.yaml
@@ -8,3 +8,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30'
diff --git a/projects/selfassembly.yaml b/projects/selfassembly.yaml
index b7f8490d0..87f05e2de 100644
--- a/projects/selfassembly.yaml
+++ b/projects/selfassembly.yaml
@@ -10,3 +10,4 @@ PIName: Eddie Tysoe
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.05'
diff --git a/projects/seq2fun.yaml b/projects/seq2fun.yaml
index 352651047..b2d68ed7d 100644
--- a/projects/seq2fun.yaml
+++ b/projects/seq2fun.yaml
@@ -9,3 +9,4 @@ PIName: Peter Freddolino
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/snada.yaml b/projects/snada.yaml
index c8cd70445..64bf7c91b 100644
--- a/projects/snada.yaml
+++ b/projects/snada.yaml
@@ -7,3 +7,4 @@ PIName: Wei Wang
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30'
diff --git a/projects/snasim.yaml b/projects/snasim.yaml
index a61b67d62..775eed961 100644
--- a/projects/snasim.yaml
+++ b/projects/snasim.yaml
@@ -9,3 +9,4 @@ PIName: Wei Wang
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '42.2806'
diff --git a/projects/spt.all.yaml b/projects/spt.all.yaml
index b3c42671d..1645e3fb7 100644
--- a/projects/spt.all.yaml
+++ b/projects/spt.all.yaml
@@ -11,3 +11,4 @@ PIName: John Carlstrom
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0202'
diff --git a/projects/srccoding.yaml b/projects/srccoding.yaml
index 7c7d135ee..1e1a1cca7 100644
--- a/projects/srccoding.yaml
+++ b/projects/srccoding.yaml
@@ -7,3 +7,4 @@ PIName: Joerg Kliewer
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '11'
diff --git a/projects/steward.yaml b/projects/steward.yaml
index d28ee1daa..b45cfc678 100644
--- a/projects/steward.yaml
+++ b/projects/steward.yaml
@@ -9,3 +9,4 @@ ID: '533'
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.02'
diff --git a/projects/sugwg.yaml b/projects/sugwg.yaml
index 7a55ad85a..5972a6c67 100644
--- a/projects/sugwg.yaml
+++ b/projects/sugwg.yaml
@@ -7,3 +7,4 @@ PIName: Duncan Brown
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0202'
diff --git a/projects/sweeps.yaml b/projects/sweeps.yaml
index 41c797098..528b4bab3 100644
--- a/projects/sweeps.yaml
+++ b/projects/sweeps.yaml
@@ -7,3 +7,4 @@ PIName: Murat Acar
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.1103'
diff --git a/projects/swipnanobio.yaml b/projects/swipnanobio.yaml
index 95a2814ee..9c81baf44 100644
--- a/projects/swipnanobio.yaml
+++ b/projects/swipnanobio.yaml
@@ -1,5 +1,5 @@
-Description: Run Pegasus workflows (parameter sweeps + data analysis) on our
- nanoBIO simulation code, looking for data integrity failures.
+Description: Run Pegasus workflows (parameter sweeps + data analysis) on our nanoBIO
+ simulation code, looking for data integrity failures.
Department: Center for Applied Cybersecurity Research
FieldOfScience: Neuroscience
Organization: Indiana University
@@ -11,3 +11,4 @@ Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '26.15'
diff --git a/projects/sykclusters.yaml b/projects/sykclusters.yaml
index 0ec334e38..cac2e3cba 100644
--- a/projects/sykclusters.yaml
+++ b/projects/sykclusters.yaml
@@ -7,3 +7,4 @@ PIName: John McGreevy
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/projects/uchicago.yaml b/projects/uchicago.yaml
index e29c4ec32..8ebe0f740 100644
--- a/projects/uchicago.yaml
+++ b/projects/uchicago.yaml
@@ -7,3 +7,4 @@ PIName: Robert William Gardner Jr
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '30'
diff --git a/projects/unlcpass.yaml b/projects/unlcpass.yaml
index b86c492a8..1d0697adf 100644
--- a/projects/unlcpass.yaml
+++ b/projects/unlcpass.yaml
@@ -16,3 +16,4 @@ PIName: Adam Caprez
Sponsor:
VirtualOrganization:
Name: HCC
+FieldOfScienceID: '26.1103'
diff --git a/projects/velev.yaml b/projects/velev.yaml
index 78afef661..556fc5e78 100644
--- a/projects/velev.yaml
+++ b/projects/velev.yaml
@@ -8,3 +8,4 @@ PIName: Julian Velev
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.0808'
diff --git a/projects/wrench.yaml b/projects/wrench.yaml
index 6f1dcabb1..6d4948ab7 100644
--- a/projects/wrench.yaml
+++ b/projects/wrench.yaml
@@ -1,9 +1,10 @@
Department: ISI
-Description: "WRENCH: Workflow Management System Simulation Workbench"
+Description: 'WRENCH: Workflow Management System Simulation Workbench'
FieldOfScience: Computer and Information Science and Engineering
ID: '687'
Organization: University of Southern California
-PIName: Rafael Ferreira Da Silva
+PIName: Rafael Ferreira Da Silva
Sponsor:
CampusGrid:
Name: ISI
+FieldOfScienceID: '11'
diff --git a/projects/xenon.yaml b/projects/xenon.yaml
index 5a40f8cde..ac8980e03 100644
--- a/projects/xenon.yaml
+++ b/projects/xenon.yaml
@@ -15,3 +15,4 @@ Organization: University of Chicago
PIName: Luca Grandi
+FieldOfScienceID: '40.0202'
diff --git a/projects/xenon1t.yaml b/projects/xenon1t.yaml
index ebc47c83a..601c2b3bf 100644
--- a/projects/xenon1t.yaml
+++ b/projects/xenon1t.yaml
@@ -23,10 +23,11 @@ Sponsor:
Name: OSG Connect
ResourceAllocations:
- - Type: XRAC
- SubmitResources:
- - UChicago_OSGConnect_login05
- ExecuteResourceGroups:
- - GroupName: SDSC-Expanse
- LocalAllocationID: "chi135"
+- Type: XRAC
+ SubmitResources:
+ - UChicago_OSGConnect_login05
+ ExecuteResourceGroups:
+ - GroupName: SDSC-Expanse
+ LocalAllocationID: chi135
+FieldOfScienceID: '40.0202'
diff --git a/projects/z2dqmc.yaml b/projects/z2dqmc.yaml
index d789a011c..2ee6793fb 100644
--- a/projects/z2dqmc.yaml
+++ b/projects/z2dqmc.yaml
@@ -9,3 +9,4 @@ PIName: Snir Gazit
Sponsor:
CampusGrid:
Name: OSG Connect
+FieldOfScienceID: '40.08'
diff --git a/src/schema/miscproject.xsd b/src/schema/miscproject.xsd
index 8256c4699..fc6688baf 100644
--- a/src/schema/miscproject.xsd
+++ b/src/schema/miscproject.xsd
@@ -69,6 +69,7 @@
+