├── .github
└── workflows
│ ├── deploy.yml
│ ├── validate-csv-matcher.json
│ ├── validate-csv.py
│ └── validate-csv.yml
├── .gitignore
├── .readthedocs.yaml
├── CITATION.cff
├── LICENSE
├── README.md
├── data
├── country_by_continent.json
├── nasa_power_annual_irradiance_global.csv
└── station_network_srml.csv
├── docs
├── _config.yml
├── _toc.yml
├── contributing.md
├── folium_legend.py
├── geba_network.md
├── graphics
│ ├── geba.png
│ ├── logo_background.png
│ ├── solarstationsorg_favicon.ico
│ ├── solarstationsorg_logo.png
│ └── solarstationsorg_logo_padded.png
├── intro.ipynb
├── other_data_sources.md
├── references.bib
├── requirements.txt
├── station_catalog.ipynb
├── station_metadata.md
├── station_network_bsrn.ipynb
├── station_network_esmap.ipynb
├── station_network_eye2sky.ipynb
├── station_network_midc.ipynb
├── station_network_pvlive.ipynb
├── station_network_solrad.ipynb
├── station_network_srml.ipynb
├── station_network_surfrad.ipynb
├── station_requirements.md
└── station_statistics.ipynb
├── esmap_stations.csv
├── scripts
├── esmap_stations.py
├── generate_continent_dict.py
├── logo.py
└── nasa_power.py
└── solarstations.csv
/.github/workflows/deploy.yml:
--------------------------------------------------------------------------------
1 | name: deploy-book
2 |
3 | # Only run this when the master branch changes
4 | on:
5 | push:
6 | branches:
7 | - main
8 | # If your git repository has the Jupyter Book within some-subfolder next to
9 | # unrelated files, you can make this run only if a file within that specific
10 | # folder has been modified.
11 | #
12 | # paths:
13 | # - some-subfolder/**
14 |
15 | # This job installs dependencies, build the book, and pushes it to `gh-pages`
16 | jobs:
17 | deploy-book:
18 | runs-on: ubuntu-latest
19 | steps:
20 | - uses: actions/checkout@v4
21 |
22 | # Install dependencies
23 | - name: Set up Python 3.12
24 | uses: actions/setup-python@v5
25 | with:
26 | python-version: "3.12"
27 |
28 | - name: Install dependencies
29 | run: |
30 | pip install -r docs/requirements.txt
31 |
32 | # Build the book
33 | - name: Build the book
34 | env: # Set secret environment variables
35 | BSRN_FTP_USERNAME: ${{ secrets.BSRN_FTP_USERNAME }}
36 | BSRN_FTP_PASSWORD: ${{ secrets.BSRN_FTP_PASSWORD }}
37 | run: |
38 | jupyter-book build docs/.
39 |
40 | # Push the book's HTML to github-pages
41 | - name: GitHub Pages action
42 | uses: peaceiris/actions-gh-pages@v4
43 | with:
44 | github_token: ${{ secrets.GITHUB_TOKEN }}
45 | publish_dir: docs/_build/html
46 | cname: SolarStations.Org
47 |
--------------------------------------------------------------------------------
/.github/workflows/validate-csv-matcher.json:
--------------------------------------------------------------------------------
1 | {
2 | "problemMatcher": [
3 | {
4 | "owner": "validate-csv-matcher",
5 | "severity": "error",
6 | "pattern": [
7 | {
8 | // matches the output from validate-csv.py
9 | "regexp": "^(.+),\\sline\\s(\\d+):(.+)$",
10 | "file": 1,
11 | "line": 2,
12 | "message": 3,
13 | }
14 | ]
15 | }
16 | ]
17 | }
18 |
--------------------------------------------------------------------------------
/.github/workflows/validate-csv.py:
--------------------------------------------------------------------------------
1 | import requests
2 | import pandas as pd
3 | import numpy as np
4 | import json
5 | import sys
6 |
7 |
8 | with open('data/country_by_continent.json') as f:
9 | country_data = json.load(f)
10 |
11 |
12 | def check_country(row):
13 | country = row['Country']
14 | if country not in country_data.keys():
15 | return f"Not a valid country: {country}"
16 | return None
17 |
18 |
19 | def check_url(row):
20 | url = row['URL']
21 | if not isinstance(url, str) and np.isnan(url):
22 | return None # URL is optional
23 |
24 | domains_to_skip = [
25 | 'www.bom.gov.au', # this website rejects automated http requests
26 | 'rratlas.energy.gov.sa', # times out and reaches max retries
27 | 'climate.lzu.edu.cn',
28 | 'niwe.res.in',
29 | 'dwd.de/DE/forschung/atmosphaerenbeob',
30 | 'idmp.entpe.fr', # bad certificate, but renders ok
31 | 'solardata.uoregon.edu/Ashland.html', # expected back-up online at some point
32 | 'epfl.ch/labs/lapi/chopin-campaign/',
33 | 'en.wikipedia.org/wiki/Eureka%2C_Nunavut',
34 | 'mymeasurements.eu/u/lapup/solar.php?lang=en',
35 | 'psa.es/en/facilities/meteo/meteo.php',
36 | 'imk-ifu.kit.edu',
37 | ]
38 | for domain in domains_to_skip:
39 | if domain in url:
40 | return None # URL is a special case; don't check it
41 |
42 | # use HEAD request for efficiency
43 | response = requests.head(url, timeout=20)
44 | try:
45 | response.raise_for_status()
46 | except Exception as e:
47 | return "invalid URL: " + str(e)
48 |
49 | return None
50 |
51 |
52 | def check_elevation(row):
53 | elevation = row['Elevation']
54 | if np.isnan(elevation):
55 | return None # elevation is optional
56 |
57 | if not isinstance(elevation, (int, float)):
58 | return f"Elevation must be type 'int' or float': {elevation}"
59 | if not -500 < elevation < 9000:
60 | return f"Elevation must be between -500 and 9000 meters: {elevation}"
61 |
62 | return None
63 |
64 |
65 | def check_coordinates(row):
66 | lat = row['Latitude']
67 | lon = row['Longitude']
68 |
69 | if not isinstance(lat, float):
70 | return f"Latitude must be type 'float': {lat}"
71 | if not -90 <= lat <= 90:
72 | return f"Latitude must be between -90 and 90: {lat}"
73 |
74 | if not isinstance(lon, float):
75 | return f"Longitude must be type 'float': {lon}"
76 | if not -180 <= lon <= 180:
77 | return f"Longitude must be between -180 and 180: {lon}"
78 |
79 | return None
80 |
81 |
82 | def check_data_availability(row):
83 | data_availability = row['Data availability']
84 | if data_availability not in ['Freely', 'Upon request', 'Not available', np.nan]:
85 | return f"Not a valid entry for Data Availability: {data_availability}"
86 |
87 |
88 | valid_instrumentation = \
89 | ['G', 'B', 'D', 'Ds', 'IR', 'UVA', 'UVB', 'UV', 'PAR', 'SPN1', 'RSR', 'RSI', 'RSP']
90 |
91 |
92 | def check_instrumentation(row):
93 | instrumentation = row['Instrumentation']
94 | if instrumentation == '':
95 | for instrument in instrumentation:
96 | if instrument not in instrumentation:
97 | return f"Not a valid entry for Instrumentation: {instrument}"
98 |
99 |
100 | def check_time_period(row):
101 | time_period = row['Time period']
102 | if len(time_period) == 4:
103 | try:
104 | int(time_period)
105 | except ValueError:
106 | return f"Not a valid time period: {time_period}"
107 | elif (len(time_period) == 5) | (len(time_period) == 6):
108 | if time_period.endswith('-') | time_period.endswith('-?'):
109 | try:
110 | int(time_period[:4])
111 | except ValueError:
112 | return f"Not a valid time period: {time_period}"
113 | elif time_period.startswith('-') | time_period.startswith('?-'):
114 | try:
115 | int(time_period[-4:])
116 | except ValueError:
117 | return f"Not a valid time period: {time_period}"
118 | else:
119 | return f"Not a valid time period: {time_period}"
120 | elif len(time_period) == 9:
121 | try:
122 | int(time_period[:4])
123 | int(time_period[-4:])
124 | except ValueError:
125 | return f"Not a valid time period: {time_period}"
126 | elif len(time_period) > 9:
127 | pass # unable to assess the time period, e.g., "2020-2022&2023-"
128 | elif time_period == '?':
129 | pass
130 | elif time_period == '-':
131 | pass
132 | else:
133 | return f"Not a valid time period: {time_period}"
134 |
135 |
136 | validation_functions = [
137 | check_country,
138 | check_url,
139 | check_elevation,
140 | check_coordinates,
141 | check_data_availability,
142 | check_instrumentation,
143 | check_time_period,
144 | ]
145 |
146 | if __name__ == "__main__":
147 |
148 | found_a_problem = False
149 |
150 | for filename in ['solarstations.csv', 'esmap_stations.csv']:
151 | df = pd.read_csv(filename)
152 |
153 | for i, row in df.iterrows():
154 | for func in validation_functions:
155 | try:
156 | msg = func(row)
157 | if msg is None:
158 | continue
159 | except Exception as e:
160 | msg = str(e)
161 |
162 | check_name = func.__name__
163 | line_num = i + 2 # +1 for header, +1 for zero-based indexing
164 | log_output = f"{filename}, line {line_num}: {msg}"
165 | print(log_output)
166 |
167 | found_a_problem += 1 # increment to fail the action in either case
168 |
169 | if found_a_problem:
170 | sys.exit(1) # fail the GH Action
171 |
--------------------------------------------------------------------------------
/.github/workflows/validate-csv.yml:
--------------------------------------------------------------------------------
1 | name: validate-csv
2 |
3 | on:
4 | pull_request:
5 | push:
6 | branches:
7 | - main
8 |
9 | jobs:
10 | validate-csv:
11 | runs-on: ubuntu-latest
12 | steps:
13 |
14 | - name: Checkout source
15 | uses: actions/checkout@v4
16 |
17 | - name: Install Python 3.12
18 | uses: actions/setup-python@v5
19 | with:
20 | python-version: '3.12'
21 |
22 | - name: Install requirements
23 | run: pip install requests pandas numpy
24 |
25 | - name: Set up output matcher for PR annotations
26 | run: echo '::add-matcher::.github/workflows/validate-csv-matcher.json'
27 |
28 | - name: Check CSV data
29 | run: python .github/workflows/validate-csv.py
30 |
--------------------------------------------------------------------------------
/.gitignore:
--------------------------------------------------------------------------------
1 | docs/_build/*
2 | docs/station-listing.csv # auto-generated by docs build
3 | .ipynb_checkpoints
4 | .DS_Store
5 | __pycache__/
6 | SolarStationsOrg-station-catalog.csv
7 |
--------------------------------------------------------------------------------
/.readthedocs.yaml:
--------------------------------------------------------------------------------
1 | # Read the Docs configuration file for Sphinx projects
2 | # See https://docs.readthedocs.io/en/stable/config-file/v2.html for details
3 | version: 2
4 |
5 | build:
6 | os: ubuntu-22.04
7 | tools:
8 | python: "3.12"
9 | jobs:
10 | pre_build:
11 | # Generate the Sphinx configuration for this Jupyter Book so it builds.
12 | - "jupyter-book config sphinx docs/"
13 |
14 | python:
15 | install:
16 | - requirements: docs/requirements.txt
17 |
18 | # Build documentation in the "docs/" directory with Sphinx
19 | sphinx:
20 | configuration: docs/_config.yml
21 | builder: html
22 | fail_on_warning: true
23 |
--------------------------------------------------------------------------------
/CITATION.cff:
--------------------------------------------------------------------------------
1 | cff-version: 1.2.0
2 | message: "If you use this dataset, please cite it as below."
3 | authors:
4 | - family-names: "Jensen"
5 | given-names: "Adam R."
6 | orcid: "https://orcid.org/0000-0002-5554-9856"
7 | - family-names: "Sifnaios"
8 | given-names: "Ioannis"
9 | orcid: "https://orcid.org/0000-0003-0933-2952"
10 | - family-names: "Anderson S."
11 | given-names: "Kevin"
12 | orcid: "https://orcid.org/0000-0002-1166-7957"
13 | - family-names: "Gueymard"
14 | given-names: "Christian A."
15 | orcid: "https://orcid.org/0000-0003-0362-4655"
16 | doi: 10.5281/zenodo.14223818
17 | url: "https://github.com/assessingsolar/solarstations"
18 | preferred-citation:
19 | type: article
20 | authors:
21 | - family-names: "Jensen"
22 | given-names: "Adam R."
23 | orcid: "https://orcid.org/0000-0002-5554-9856"
24 | - family-names: "Sifnaios"
25 | given-names: "Ioannis"
26 | orcid: "https://orcid.org/0000-0003-0933-2952"
27 | - family-names: "Anderson S."
28 | given-names: "Kevin"
29 | orcid: "https://orcid.org/0000-0002-1166-7957"
30 | - family-names: "Gueymard"
31 | given-names: "Christian A."
32 | orcid: "https://orcid.org/0000-0003-0362-4655"
33 | doi: "10.1016/j.solener.2025.113457"
34 | journal: "Solar Energy"
35 | month: 7
36 | pages: 113457
37 | title: "SolarStations.org — A global catalog of solar irradiance monitoring stations"
38 | volume: 295
39 | year: 2025
40 |
--------------------------------------------------------------------------------
/LICENSE:
--------------------------------------------------------------------------------
1 | BSD 3-Clause License
2 |
3 | Copyright (c) 2021, Assessing Solar
4 | All rights reserved.
5 |
6 | Redistribution and use in source and binary forms, with or without
7 | modification, are permitted provided that the following conditions are met:
8 |
9 | 1. Redistributions of source code must retain the above copyright notice, this
10 | list of conditions and the following disclaimer.
11 |
12 | 2. Redistributions in binary form must reproduce the above copyright notice,
13 | this list of conditions and the following disclaimer in the documentation
14 | and/or other materials provided with the distribution.
15 |
16 | 3. Neither the name of the copyright holder nor the names of its
17 | contributors may be used to endorse or promote products derived from
18 | this software without specific prior written permission.
19 |
20 | THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
21 | AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
22 | IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
23 | DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE
24 | FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
25 | DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR
26 | SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER
27 | CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY,
28 | OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
29 | OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
30 |
--------------------------------------------------------------------------------
/README.md:
--------------------------------------------------------------------------------
1 | # Solar Stations
2 | [](https://SolarStations.Org)
3 |
4 | A catalog of multi-component solar irradiance monitoring stations.
5 |
6 | An interactive map and catalog of the stations can be found at [SolarStations.Org](https://SolarStations.Org).
7 |
8 | Pull requests with new stations or updates are highly welcome!
9 |
10 | ## Citing
11 | If you used the SolarStations.org catalog in published works, please cite:
12 | - Jensen, A. R., Sifnaios, I., Anderson S., K., & Gueymard, C. A. (2025). SolarStations.org — A global catalog of solar irradiance monitoring stations. Solar Energy, 295. [https://doi.org/10.1016/j.solener.2025.113457](https://doi.org/10.1016/j.solener.2025.113457)
13 |
--------------------------------------------------------------------------------
/data/country_by_continent.json:
--------------------------------------------------------------------------------
1 | {
2 | "Algeria": "Africa",
3 | "Angola": "Africa",
4 | "Benin": "Africa",
5 | "Botswana": "Africa",
6 | "Burkina Faso": "Africa",
7 | "Burundi": "Africa",
8 | "Cameroon": "Africa",
9 | "Cape Verde": "Africa",
10 | "Central African Republic": "Africa",
11 | "Chad": "Africa",
12 | "Comoros": "Africa",
13 | "Democratic Congo": "Africa",
14 | "Congo": "Africa",
15 | "Djibouti": "Africa",
16 | "Egypt": "Africa",
17 | "Equatorial Guinea": "Africa",
18 | "Eritrea": "Africa",
19 | "Eswatini": "Africa",
20 | "Ethiopia": "Africa",
21 | "Gabon": "Africa",
22 | "Gambia": "Africa",
23 | "Ghana": "Africa",
24 | "Guinea": "Africa",
25 | "Guinea-Bissau": "Africa",
26 | "C\u00f4te d'Ivoire": "Africa",
27 | "Kenya": "Africa",
28 | "Lesotho": "Africa",
29 | "Liberia": "Africa",
30 | "Libya": "Africa",
31 | "Madagascar": "Africa",
32 | "Malawi": "Africa",
33 | "Mali": "Africa",
34 | "Mauritania": "Africa",
35 | "Mauritius": "Africa",
36 | "Morocco": "Africa",
37 | "Mozambique": "Africa",
38 | "Namibia": "Africa",
39 | "Niger": "Africa",
40 | "Nigeria": "Africa",
41 | "Rwanda": "Africa",
42 | "S\u00e3o Tom\u00e9 and Pr\u00edncipe": "Africa",
43 | "Senegal": "Africa",
44 | "Seychelles": "Africa",
45 | "Sierra Leone": "Africa",
46 | "Somalia": "Africa",
47 | "South Africa": "Africa",
48 | "South Sudan": "Africa",
49 | "Sudan": "Africa",
50 | "Tanzania": "Africa",
51 | "Togo": "Africa",
52 | "Tunisia": "Africa",
53 | "Uganda": "Africa",
54 | "Zambia": "Africa",
55 | "Zimbabwe": "Africa",
56 | "Afghanistan": "Asia",
57 | "Armenia": "Asia",
58 | "Azerbaijan": "Asia",
59 | "Bahrain": "Asia",
60 | "Bangladesh": "Asia",
61 | "Bhutan": "Asia",
62 | "Brunei": "Asia",
63 | "Cambodia": "Asia",
64 | "China": "Asia",
65 | "India": "Asia",
66 | "Indonesia": "Asia",
67 | "Iran": "Asia",
68 | "Iraq": "Asia",
69 | "Israel": "Asia",
70 | "Japan": "Asia",
71 | "Jordan": "Asia",
72 | "Kazakhstan": "Asia",
73 | "North Korea": "Asia",
74 | "South Korea": "Asia",
75 | "Kuwait": "Asia",
76 | "Kyrgyzstan": "Asia",
77 | "Laos": "Asia",
78 | "Lebanon": "Asia",
79 | "Malaysia": "Asia",
80 | "Maldives": "Asia",
81 | "Mongolia": "Asia",
82 | "Myanmar": "Asia",
83 | "Nepal": "Asia",
84 | "Oman": "Asia",
85 | "Pakistan": "Asia",
86 | "Philippines": "Asia",
87 | "Qatar": "Asia",
88 | "Saudi Arabia": "Asia",
89 | "Singapore": "Asia",
90 | "Sri Lanka": "Asia",
91 | "Syria": "Asia",
92 | "Tajikistan": "Asia",
93 | "Taiwan": "Asia",
94 | "Thailand": "Asia",
95 | "Timor-Leste": "Asia",
96 | "Turkey": "Asia",
97 | "Turkmenistan": "Asia",
98 | "United Arab Emirates": "Asia",
99 | "Uzbekistan": "Asia",
100 | "Vietnam": "Asia",
101 | "Yemen": "Asia",
102 | "Albania": "Europe",
103 | "Andorra": "Europe",
104 | "Austria": "Europe",
105 | "Belarus": "Europe",
106 | "Belgium": "Europe",
107 | "Bosnia and Herzegovina": "Europe",
108 | "Bulgaria": "Europe",
109 | "Croatia": "Europe",
110 | "Czechia": "Europe",
111 | "Cyprus": "Europe",
112 | "Denmark": "Europe",
113 | "Estonia": "Europe",
114 | "Finland": "Europe",
115 | "France": "Europe",
116 | "Georgia": "Europe",
117 | "Germany": "Europe",
118 | "Greece": "Europe",
119 | "Hungary": "Europe",
120 | "Iceland": "Europe",
121 | "Ireland": "Europe",
122 | "Italy": "Europe",
123 | "Kosovo": "Europe",
124 | "Latvia": "Europe",
125 | "Liechtenstein": "Europe",
126 | "Lithuania": "Europe",
127 | "Luxembourg": "Europe",
128 | "Malta": "Europe",
129 | "Moldova": "Europe",
130 | "Monaco": "Europe",
131 | "Montenegro": "Europe",
132 | "Netherlands": "Europe",
133 | "North Macedonia": "Europe",
134 | "Norway": "Europe",
135 | "Poland": "Europe",
136 | "Portugal": "Europe",
137 | "Romania": "Europe",
138 | "Russia": "Europe",
139 | "San Marino": "Europe",
140 | "Serbia": "Europe",
141 | "Slovakia": "Europe",
142 | "Slovenia": "Europe",
143 | "Spain": "Europe",
144 | "Sweden": "Europe",
145 | "Switzerland": "Europe",
146 | "Ukraine": "Europe",
147 | "United Kingdom": "Europe",
148 | "Vatican City": "Europe",
149 | "Antigua and Barbuda": "North America",
150 | "The Bahamas": "North America",
151 | "Barbados": "North America",
152 | "Belize": "North America",
153 | "Canada": "North America",
154 | "Costa Rica": "North America",
155 | "Cuba": "North America",
156 | "Dominica": "North America",
157 | "Dominican Republic": "North America",
158 | "El Salvador": "North America",
159 | "Grenada": "North America",
160 | "Guatemala": "North America",
161 | "Haiti": "North America",
162 | "Honduras": "North America",
163 | "Jamaica": "North America",
164 | "Mexico": "North America",
165 | "Nicaragua": "North America",
166 | "Panama": "North America",
167 | "Saint Kitts and Nevis": "North America",
168 | "Saint Lucia": "North America",
169 | "Saint Vincent and the Grenadines": "North America",
170 | "Trinidad and Tobago": "North America",
171 | "United States": "North America",
172 | "Argentina": "South America",
173 | "Bolivia": "South America",
174 | "Brazil": "South America",
175 | "Chile": "South America",
176 | "Colombia": "South America",
177 | "Ecuador": "South America",
178 | "Guyana": "South America",
179 | "Paraguay": "South America",
180 | "Peru": "South America",
181 | "Suriname": "South America",
182 | "Uruguay": "South America",
183 | "Venezuela": "South America",
184 | "Australia": "Oceania",
185 | "Cook Islands": "Oceania",
186 | "Federated States of Micronesia": "Oceania",
187 | "Fiji": "Oceania",
188 | "Kiribati": "Oceania",
189 | "Marshall Islands": "Oceania",
190 | "Nauru": "Oceania",
191 | "New Zealand": "Oceania",
192 | "Niue": "Oceania",
193 | "Palau": "Oceania",
194 | "Papua New Guinea": "Oceania",
195 | "Samoa": "Oceania",
196 | "Solomon Islands": "Oceania",
197 | "Tonga": "Oceania",
198 | "Tuvalu": "Oceania",
199 | "Vanuatu": "Oceania",
200 | "Czech Republic": "Europe",
201 | "USA": "North America",
202 | "Antarctica": "Antarctica",
203 | "Reunion": "Africa",
204 | "Mayotte": "Africa",
205 | "American Samoa": "Oceania",
206 | "Canary Islands": "Africa",
207 | "Greenland": "North America"
208 | }
--------------------------------------------------------------------------------
/data/station_network_srml.csv:
--------------------------------------------------------------------------------
1 | Station name,Abbreviation,State,Country,Latitude,Longitude,Elevation,Time period,Network,Owner,Comment,URL,Data availability,Tier,Instrument,Components
2 | Ashland,AS;ASO,Oregon,USA,42.19441,-122.698158,594,,SRML,,Station id no.: 94040,,,1,,G;B;D
3 | Bend,BE;BDO,Oregon,USA,44.05614,-121.30744,1104,1977-,SRML,,Station id no.: 94807,,,,RSP,
4 | Burns,BU;BUO,Oregon,USA,43.5192,-119.02161,1270,,SRML,,Station id no.: 94170,,,1,,G;B;D
5 | Christmas Valley,CH;CHO,Oregon,USA,43.2,-120.72805,1313,1994-,SRML,,Station id no.: 94251,,,2,LI-COR pyranometer with shadowband,
6 | Cheney,CY;CYW,Washington,USA,47.4899,-117.589126,717,,SRML,,Station id no.: 94158,,,2,RSR,
7 | Eugene,EU;EUO,Oregon,USA,44.046761,-123.074243,150,,SRML,,Station id no.: 94255,,,1,,G;B;D
8 | Forest Grove,FG;FGO,Oregon,USA,45.55305,-123.08361,180,1997-,SRML,,Station id no.: 94008,http://solardat.uoregon.edu/ForestGrove.html,,2,LI-COR pyranometer,
9 | Hermiston,HE;HEO,Oregon,USA,45.818441,-119.284721,188,,SRML,,Station id no.: 94169,,,1,,G;B;D
10 | Madras,MD;MAO,Oregon,USA,44.68,-121.14861,744,1994-,SRML,,Station id no.: 94008,,,2,LI-COR pyranometer with shadowband,
11 | Portland,PT;PSO,Oregon,USA,45.512679,-122.68347,63,,SRML,,Station id no.: 94808,,,1,,G;B;D
12 | Salem,SAO,Oregon,USA,44.921365,-123.018425,47,2003-,SRML,,Station id no.: 94806,,,2,Kipp and Zonen Sp-Lite pyranometer,"G,POA"
13 | Silver Lake,SL;SIO,Oregon,USA,43.11896,-121.05879,1324,,SRML,,Station id no.: 94249,,,1,,G;B;D
14 | Seattle,ST;STW,Washington,USA,47.653871,-122.309481,70,2015-,SRML,,Station id no.: 94291,http://solardat.uoregon.edu/Seattle_UW.html,,1,,G;B;D
15 |
--------------------------------------------------------------------------------
/docs/_config.yml:
--------------------------------------------------------------------------------
1 | # Book settings
2 | # Learn more at https://jupyterbook.org/customize/config.html
3 |
4 | title: SolarStations.Org
5 | author: Adam R. Jensen, Ioannis Sifnaios, Kevin Anderson
6 | copyright: "2022"
7 | logo: graphics/solarstationsorg_logo_padded.png
8 |
9 | # Force re-execution of notebooks on each build.
10 | # See https://jupyterbook.org/content/execute.html
11 | execute:
12 | execute_notebooks: force
13 | timeout: 240 # When to timeout each notebook in seconds
14 | allow_errors: false
15 |
16 | # Define the name of the latex output file for PDF builds
17 | latex:
18 | latex_documents:
19 | targetname: book.tex
20 |
21 | # Information about where the book exists on the web
22 | repository:
23 | url: https://github.com/assessingsolar/solarstations # Online location of your book
24 | branch: main # Which branch of the repository should be used when creating links (optional)
25 |
26 | # Add GitHub buttons to your book
27 | # See https://jupyterbook.org/customize/config.html#add-a-link-to-your-repository
28 | html:
29 | use_issues_button: true
30 | use_repository_button: true
31 | favicon: graphics/solarstationsorg_favicon.ico # A path to a favicon image
32 | baseurl : https://SolarStations.Org
33 | analytics:
34 | google_analytics_id : G-6KXSD7FTJM
35 |
--------------------------------------------------------------------------------
/docs/_toc.yml:
--------------------------------------------------------------------------------
1 | # Table of contents
2 | # Learn more at https://jupyterbook.org/customize/toc.html
3 |
4 | root: intro
5 | format: jb-book
6 |
7 | parts:
8 | - caption:
9 | chapters:
10 | - file: station_catalog
11 | - file: station_requirements
12 | title: Station requirements
13 | - file: station_metadata
14 | - file: station_statistics
15 | title: Statistics
16 |
17 | - caption: Networks
18 | chapters:
19 | - file: station_network_bsrn
20 | title: BSRN
21 | - file: station_network_esmap
22 | title: ESMAP
23 | - file: station_network_midc
24 | title: NREL MIDC
25 | - file: station_network_solrad
26 | title: SOLRAD
27 | - file: station_network_srml
28 | title: SRML
29 | - file: station_network_surfrad
30 | title: SURFRAD
31 |
32 | - caption: Other data sources
33 | chapters:
34 | - file: station_network_pvlive
35 | - file: station_network_eye2sky
36 | title: Eye2sky
37 | - file: geba_network
38 | - file: other_data_sources
39 | title: Miscellaneous
40 |
41 | - caption: Appendix
42 | chapters:
43 | - file: contributing
44 | - title: AssessingSolar.org
45 | url: https://assessingsolar.org
46 | external: true
47 | - title: IEA PVPS Task 16
48 | url: https://iea-pvps.org/research-tasks/solar-resource-for-high-penetration-and-large-scale-applications/
49 | external: true
50 |
--------------------------------------------------------------------------------
/docs/contributing.md:
--------------------------------------------------------------------------------
1 | # Contributing
2 |
3 | We highly welcome contributions to the solar station catalog and website. To contribute a new station entry or update existing information, please submit a pull request to the [SolarStation GitHub repository](https://github.com/AssessingSolar/solarstations). If you're not a savvy GitHub user, then you're welcome to send suggestions to arajen@dtu.dk.
4 |
--------------------------------------------------------------------------------
/docs/folium_legend.py:
--------------------------------------------------------------------------------
1 | import folium
2 |
3 | LEGEND_TEMPLATE = """
4 |
13 | {title}
14 | {entries}
15 |
"""
16 |
17 | # this uses the same kind of SVG symbol as folium's CircleMarker in the maps
18 | MARKER_TEMPLATE = """
19 | {label}
20 | """
21 |
22 | def make_legend(labels, colors, title="Station markers"):
23 | """
24 | Make a folium Element for a map legend.
25 |
26 | Parameters
27 | ----------
28 | labels : list
29 | The text to display for each legend entry
30 | colors : list
31 | Marker colors for each legend entry
32 | title : str, default "Station markers"
33 | Title/header text for the legend
34 | """
35 | n_entries = len(labels)
36 | height = 25 + 20 * n_entries # 25 px for header, 20 for each entry
37 | entries = "\n".join([
38 | MARKER_TEMPLATE.format(label=label, color=color)
39 | for label, color in zip(labels, colors)
40 | ])
41 | legend_html = LEGEND_TEMPLATE.format(height=height, title=title, entries=entries)
42 | return folium.Element(legend_html)
43 |
--------------------------------------------------------------------------------
/docs/geba_network.md:
--------------------------------------------------------------------------------
1 | # GEBA
2 |
3 | The Global Energy Balance Archive (GEBA) is a global database containing measured energy fluxes at the Earth’s surface and is maintained by ETH Zurich in Switzerland. Notably, the stations included are of varying quality with most only measuring one irradiance component as part of national networks, although many of the historical records extend over several decades.
4 |
5 | GEBA contains monthly data from a variety of sources, namely from the World Radiation Data Centre (WRDC) in St. Petersburg, national weather services, research networks (BSRN, ARM, SURFRAD), peer-reviewed publications, project and data reports, and personal communications. GEBA is publicly accessible [online](http://www.geba.ethz.ch). Supplementary data are also available [here](https://doi.org/10.1594/PANGAEA.873078). An overview of the measurement locations is presented in the figure below.
6 |
7 | ```{figure} /graphics/geba.png
8 | :height: 400px
9 | :alt: stations in the GEBA network
10 |
11 | Distribution of the 2500 locations with observational data contained in GEBA. Red symbols indicate locations with at least one monthly entry in GEBA; yellow symbols signify locations with multiyear records (at least three years of data) [source](https://doi.org/10.5194/essd-9-601-2017).
12 | ```
13 |
14 | The following parameters can be obtained from GEBA:
15 |
16 | * Global horizontal irradiance - GHI (shortwave incoming)
17 | * Direct normal irradiance - DNI
18 | * Diffuse horizontal irradiance - DHI
19 | * Albedo
20 | * Reflected shortwave irradiance
21 | * Longwave incoming irradiance
22 | * Longwave outgoing irradiance
23 | * Longwave net irradiance
24 | * Radiation balance
25 | * Sensible heat flux
26 | * Latent heat flux
27 | * Subsurface heat flux
28 | * Ultraviolet irradiance
29 | * Absorbed shortwave irradiance
30 | * Circumglobal irradiance
31 |
32 | It should be noted that not all the measurement locations are still in operation and have all the parameters available. Unfortunately, GEBA does not provide information on the instrument used to measure solar irradiance components, so the user can't estimate the quality of the data.
33 |
--------------------------------------------------------------------------------
/docs/graphics/geba.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/AssessingSolar/solarstations/e65819eba4a3fa4393405d6321114a74aaf3d4c8/docs/graphics/geba.png
--------------------------------------------------------------------------------
/docs/graphics/logo_background.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/AssessingSolar/solarstations/e65819eba4a3fa4393405d6321114a74aaf3d4c8/docs/graphics/logo_background.png
--------------------------------------------------------------------------------
/docs/graphics/solarstationsorg_favicon.ico:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/AssessingSolar/solarstations/e65819eba4a3fa4393405d6321114a74aaf3d4c8/docs/graphics/solarstationsorg_favicon.ico
--------------------------------------------------------------------------------
/docs/graphics/solarstationsorg_logo.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/AssessingSolar/solarstations/e65819eba4a3fa4393405d6321114a74aaf3d4c8/docs/graphics/solarstationsorg_logo.png
--------------------------------------------------------------------------------
/docs/graphics/solarstationsorg_logo_padded.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/AssessingSolar/solarstations/e65819eba4a3fa4393405d6321114a74aaf3d4c8/docs/graphics/solarstationsorg_logo_padded.png
--------------------------------------------------------------------------------
/docs/intro.ipynb:
--------------------------------------------------------------------------------
1 | {
2 | "cells": [
3 | {
4 | "cell_type": "markdown",
5 | "id": "cb2fcaa3",
6 | "metadata": {
7 | "editable": true,
8 | "slideshow": {
9 | "slide_type": ""
10 | },
11 | "tags": []
12 | },
13 | "source": [
14 | "# Introduction\n",
15 | "\n",
16 | "Ground measured solar irradiance data is critical for benchmarking solar radiation products, modeling climate processes, and understanding the Earth's radiation budget. However, due to high costs and maintenance requirements, there are only a few hundred high-quality stations globally. Partly due to the scarcity and even more so due to a lack of an overview, it has historically been difficult to determine if and where there is a nearby solar irradiance monitoring station. To address this, this site provides an overview of multi-component solar irradiance monitoring stations worldwide and supporting [metadata](station_metadata).\n",
17 | "\n",
18 | "A complete list of stations and metadata can be found in the [station catalog](../station_catalog).\n",
19 | "\n",
20 | "For more details on the SolarStations.org catalog, the reader is referred to the data article published in Solar Energy, DOI: [10.1016/j.solener.2025.113457](https://doi.org/10.1016/j.solener.2025.113457). We hope that you will cite the article if you use the catalog in published works.\n",
21 | "\n",
22 | "To find the nearest station to a point of interest, check out the interactive map below. Note that it is possible to click on a station icon to get the station name and country."
23 | ]
24 | },
25 | {
26 | "cell_type": "code",
27 | "execution_count": null,
28 | "id": "6a1101b1-fdf8-4389-a1ce-a7f997cd3b4a",
29 | "metadata": {
30 | "tags": [
31 | "hide-input",
32 | "remove-input"
33 | ]
34 | },
35 | "outputs": [],
36 | "source": [
37 | "import pandas as pd\n",
38 | "import folium\n",
39 | "from folium import plugins\n",
40 | "import folium_legend\n",
41 | "\n",
42 | "# Load stations\n",
43 | "solarstations = pd.read_csv('../solarstations.csv', dtype={'Tier': str}).fillna('')\n",
44 | "esmap_stations = pd.read_csv('../esmap_stations.csv', dtype={'Tier': str}).fillna('')\n",
45 | "# Add esmap stations first so they are underneath\n",
46 | "stations = pd.concat([solarstations, esmap_stations], axis='rows', ignore_index=True)\n",
47 | "stations = stations[~stations['Instrumentation'].str.contains('G;Ds')] # remove Tier 3 stations\n",
48 | "\n",
49 | "GHIImagery = \"https://d2asdkx1wwwi7q.cloudfront.net/v20210621/ghi_global/{z}/z{z}_{x}x{y}.jpg\"\n",
50 | "DNIImagery = \"https://d2asdkx1wwwi7q.cloudfront.net/v20210621/dni_global/{z}/z{z}_{x}x{y}.jpg\"\n",
51 | "GlobalSolarAtlasAttribution = \"Source: GlobalSolarAtlas 2.0. Data from Solargis.\"\n",
52 | "EsriImagery = \"https://server.arcgisonline.com/ArcGIS/rest/services/World_Imagery/MapServer/tile/{z}/{y}/{x}\"\n",
53 | "EsriAttribution = \"Tiles © Esri — Source: Esri, i-cubed, USDA, USGS, AEX, GeoEye, Getmapping, Aerogrid, IGN, IGP, UPR-EGP, and the GIS User Community\"\n",
54 | "\n",
55 | "# Create Folium map\n",
56 | "m = folium.Map(\n",
57 | " location=[0, 15],\n",
58 | " zoom_start=1, min_zoom=1, max_bounds=True,\n",
59 | " control_scale=True, # Adds distance scale in lower left corner\n",
60 | " tiles='Cartodb Positron')\n",
61 | "\n",
62 | "def station_status(time_period):\n",
63 | " if time_period.endswith('-'):\n",
64 | " return 'Active'\n",
65 | " color = '#008000' # Green for active stations\n",
66 | " elif (time_period == '') | time_period.endswith('?'):\n",
67 | " return 'Unknown'\n",
68 | " else:\n",
69 | " return 'Inactive'\n",
70 | "\n",
71 | "stations['Status'] = stations['Time period'].map(station_status)\n",
72 | "\n",
73 | "status_dict = {\n",
74 | " 'Active': '#008000', # Green for active stations\n",
75 | " 'Unknown': '#3186cc', # Blue for stations with unknown status\n",
76 | " 'Inactive': '#ff422b', # Red for inactive stations\n",
77 | "}\n",
78 | "\n",
79 | "stations['Color'] = stations['Status'].map(status_dict)\n",
80 | "\n",
81 | "z_order_dict = {'Active': 2, 'Unknown': 1, 'Inactive': 0}\n",
82 | "stations['z_order'] = stations['Status'].map(z_order_dict)\n",
83 | "\n",
84 | "stations['Tier'] = 2\n",
85 | "stations.loc[stations['Instrumentation'].str.startswith('G;B;D'), 'Tier'] = 1\n",
86 | "stations = stations.sort_values('z_order')\n",
87 | "\n",
88 | "annual_irradiance = pd.read_csv('../data/nasa_power_annual_irradiance_global.csv', index_col=[0, 1])\n",
89 | "for index, row in stations.iterrows():\n",
90 | " lat_round = round(row['Latitude']*2-0.5, 0)/2 + 0.25\n",
91 | " lon_round = round(row['Longitude']*2-0.5, 0)/2 + 0.25\n",
92 | " try:\n",
93 | " stations.loc[index, ['GHI', 'DHI', 'DNI']] = \\\n",
94 | " annual_irradiance.loc[(lat_round, lon_round), :].values\n",
95 | " except KeyError as e:\n",
96 | " continue\n",
97 | "\n",
98 | "# Add each station to the map\n",
99 | "for index, row in stations.iterrows(): \n",
100 | " folium.CircleMarker(\n",
101 | " location=[row['Latitude'], row['Longitude']],\n",
102 | " popup=folium.Popup(\n",
103 | " f\"{row['Station name']}, {row['Country']}
\"\n",
104 | " f\"Tier: {row['Tier']}
\"\n",
105 | " f\"Elevation: {row['Elevation']} m
\"\n",
106 | " f\"GHI: {row['GHI']:.0f} kWh/m^2
\"\n",
107 | " f\"DNI: {row['DNI']:.0f} kWh/m^2\",\n",
108 | " max_width=\"100\"),\n",
109 | " tooltip=row['Abbreviation'],\n",
110 | " radius=5, color=row['Color'],\n",
111 | " fill_color=row['Color'], fill=True).add_to(m)\n",
112 | "\n",
113 | "folium.raster_layers.TileLayer(EsriImagery, name='World imagery', attr=EsriAttribution, show=False).add_to(m)\n",
114 | "folium.raster_layers.TileLayer(GHIImagery, name='GHI', attr=GlobalSolarAtlasAttribution,\n",
115 | " max_zoom=10, max_native_zoom=10, zoomOffset=1, show=False).add_to(m)\n",
116 | "folium.raster_layers.TileLayer(DNIImagery, name='DNI', attr=GlobalSolarAtlasAttribution,\n",
117 | " max_zoom=10, max_native_zoom=10, zoomOffset=1, show=False).add_to(m)\n",
118 | "folium.LayerControl(position='topright').add_to(m)\n",
119 | "\n",
120 | "# Additional options and plugins\n",
121 | "# Note it's not possible to change the position of the scale\n",
122 | "plugins.Fullscreen(position='bottomright').add_to(m) # Add full screen button to map\n",
123 | "folium.LatLngPopup().add_to(m) # Show latitude/longitude when clicking on the map\n",
124 | "# plugins.MiniMap(toggle_display=True, zoom_level_fixed=1, minimized=True, position='bottomright').add_to(m) # Add minimap to the map\n",
125 | "# plugins.MeasureControl(position='topleft').add_to(m) # Add distance length measurement tool\n",
126 | "\n",
127 | "# Create legend\n",
128 | "legend = folium_legend.make_legend(status_dict.keys(), status_dict.values(), title=\"Station status\")\n",
129 | "m.get_root().html.add_child(legend) # Add Legend to map\n",
130 | "\n",
131 | "# Show the map\n",
132 | "m"
133 | ]
134 | },
135 | {
136 | "cell_type": "markdown",
137 | "id": "a6627710",
138 | "metadata": {
139 | "editable": true,
140 | "slideshow": {
141 | "slide_type": ""
142 | },
143 | "tags": []
144 | },
145 | "source": [
146 | "```{admonition} Map backgrounds\n",
147 | "When zooming in on a specific station, consider switching to the satellite image or annual irradiance backgrounds (top right corner).\n",
148 | "```"
149 | ]
150 | },
151 | {
152 | "cell_type": "markdown",
153 | "id": "3ab7e85b",
154 | "metadata": {
155 | "editable": true,
156 | "slideshow": {
157 | "slide_type": ""
158 | },
159 | "tags": []
160 | },
161 | "source": [
162 | "## Acknowledgements\n",
163 | "Solar irradiance map backgrounds were obtained from the Global Solar Atlas 2.0, a free, web-based application developed and operated by Solargis s.r.o. on behalf of the World Bank Group, utilizing Solargis data, with funding provided by the Energy Sector Management Assistance Program (ESMAP). For additional information see https://globalsolaratlas.info."
164 | ]
165 | },
166 | {
167 | "cell_type": "code",
168 | "execution_count": null,
169 | "id": "8bd32a47-e9cf-42f9-be49-8c2b244e4283",
170 | "metadata": {},
171 | "outputs": [],
172 | "source": []
173 | }
174 | ],
175 | "metadata": {
176 | "kernelspec": {
177 | "display_name": "Python 3 (ipykernel)",
178 | "language": "python",
179 | "name": "python3"
180 | },
181 | "language_info": {
182 | "codemirror_mode": {
183 | "name": "ipython",
184 | "version": 3
185 | },
186 | "file_extension": ".py",
187 | "mimetype": "text/x-python",
188 | "name": "python",
189 | "nbconvert_exporter": "python",
190 | "pygments_lexer": "ipython3",
191 | "version": "3.11.7"
192 | },
193 | "toc-showcode": false,
194 | "toc-showtags": true
195 | },
196 | "nbformat": 4,
197 | "nbformat_minor": 5
198 | }
199 |
--------------------------------------------------------------------------------
/docs/other_data_sources.md:
--------------------------------------------------------------------------------
1 | # Other data sources
2 |
3 | This page provides information about alternative sources for obtaining irradiance data. It should be noted that the data sources mentioned on this page are not a part of the main [station catalog](station_catalog). The main reason for that is that their data are of lower quality, either due to lower quality instruments for measuring irradiance or because the data are the output of some model (i.e., reanalysis datasets). Nevertheless, due to the limited coverage of the station catalog, these sources of data can still be useful for certain applications.
4 |
5 | * [Major research stations in Antarctica](https://www.grida.no/resources/7148) has irradiance data for Antarctica for 2008. The provided data is a combination of measurements from permanent research stations, temporary field stations, ships, satellites, and automated ground instruments that monitor conditions in remote locations.
6 |
7 | * [Ladybug simulation tool](https://www.ladybug.tools/epwmap/) has a collection of EPW/TMY weather files with global coverage.
8 |
9 | * [Reanalysis datasets](https://reanalyses.org/) is a website that provides researchers with help to obtain, read and analyze reanalysis datasets created by different climate and weather organizations.
10 |
11 | * [CANSIM](https://pubs.aip.org/aip/acp/article/1881/1/090002/794031/Deployment-and-early-results-from-the-CanSIM) is a Canadian network with 7 stations measuring spectral irradiance using Spectrafy sensors.
12 |
13 | * Eye2Sky ([link_1](https://www.dlr.de/en/images/2019/4/the-eye2sky-measurement-network-will-comprise-34-stations-when-complete), [link_2](https://www.dlr.de/en/ve/research-and-transfer/research-infrastructure/laboratories-infrastructures/eye2sky)) is a network of all-sky cameras near Oldenburg, Germany. A third of the stations are equipped with a rotating shadowband irradiometer (RSI) for measuring solar irradiance.
14 |
15 | * [Oklahoma Mesonet](https://www.mesonet.org/weather/solar-radiation-satellite/solar-radiation) is a network of weather stations equipped with LI-COR pyranometers. Information about this network is also given [here](https://journals.ametsoc.org/view/journals/atot/17/4/1520-0426_2000_017_0474_qapito_2_0_co_2.xml).
16 |
17 | * [German Weather Services - Deutscher Wetterdienst (DWD)](https://www.dwd.de/DE/leistungen/solarenergie/Strahlungsmessnetz.html?nn=495490) operates a network of 120 sites measuring global horizontal irradiance and diffuse irradiance with thermopile pyranometers with a resolution of 10 minutes. Data can be downloaded from [here](https://cdc.dwd.de/portal/)
18 |
19 | * [Natural Resources Canada](https://natural-resources.canada.ca/energy/renewable-electricity/solar-photovoltaic/18409) operates a small network of LI-COR pyranometers for measuring solar irradiance in two locations in Canada.
20 |
21 | * [The Global Solar Atlas](https://globalsolaratlas.info/map) is a global reanalysis dataset funded by the World Bank Group and created by the company Solargis.
22 |
--------------------------------------------------------------------------------
/docs/references.bib:
--------------------------------------------------------------------------------
1 | ---
2 | ---
3 |
4 |
5 | @article{driemel_baseline_2018,
6 | author = {Driemel, A. and Augustine, J. and Behrens, K. and Colle, S. and Cox, C. and Cuevas-Agull\'o, E. and Denn, F. M. and Duprat, T. and Fukuda, M. and Grobe, H. and Haeffelin, M. and Hodges, G. and Hyett, N. and Ijima, O. and Kallis, A. and Knap, W. and Kustov, V. and Long, C. N. and Longenecker, D. and Lupi, A. and Maturilli, M. and Mimouni, M. and Ntsangwane, L. and Ogihara, H. and Olano, X. and Olefs, M. and Omori, M. and Passamani, L. and Pereira, E. B. and Schmith\"usen, H. and Schumacher, S. and Sieger, R. and Tamlyn, J. and Vogt, R. and Vuilleumier, L. and Xia, X. and Ohmura, A. and K\"onig-Langlo, G.},
7 | title = {Baseline Surface Radiation Network ({BSRN}): structure and data description (1992--2017)},
8 | journal = {Earth System Science Data},
9 | volume = {10},
10 | year = {2018},
11 | number = {3},
12 | pages = {1491--1501},
13 | doi = {10.5194/essd-10-1491-2018}
14 | }
15 |
16 | @inproceedings{forstinger_expert_2021,
17 | title = {Expert quality control of solar radiation ground data sets},
18 | doi = {},
19 | booktitle = {{ISES} {Solar} {World} {Congress} {2021} {Proceedings}},
20 | author = {Forsinger, A. and Wilbert, S. and Krass, B. and Peruchena, C. and Gueymard, C. and Collino, E. and Ruiz-Arias, J. and Matinez, J. and Saint-Drenan, Y. and Ronzio, D. and Hanrieder, N. and Jensen, A. and Yang, D.},
21 | year = {2021},
22 | keywords = {solar irradiance, solar resource, quality control, quaity inspection, visual inspection.}
23 | }
24 |
25 |
26 | @article{hicks_noaa_1996,
27 | author = {Hicks, B. B. and DeLuisi, J. J. and Matt, D. R.},
28 | title = {The {NOAA} integrated surface irradiance study ({ISIS}) - A new surface radiation monitoring program},
29 | language = {eng},
30 | format = {article},
31 | journal = {Bulletin of the American Meteorological Society},
32 | volume = {77},
33 | number = {12},
34 | pages = {2857-2864},
35 | year = {1996},
36 | issn = {15200477, 00030007},
37 | doi = {10.1175/1520-0477(1996)077<2857:TNISIS>2.0.CO;2},
38 | publisher = {American Meteorological Society}
39 | }
40 |
41 | @article{augustine_noaa_2000,
42 | author = {Augustine, J. A. and DeLuisi, J. J. and Long, C. N.},
43 | title = {{SURFRAD} — {A} national surface radiation budget network for atmospheric research},
44 | language = {eng},
45 | format = {article},
46 | journal = {Bulletin of the American Meteorological Society},
47 | volume = {81},
48 | pages = {2341-2357},
49 | year = {2000},
50 | doi = {10.1175/1520-0477(2000)081<2341:SANSRB>2.3.CO;2},
51 | publisher = {American Meteorological Society}
52 | }
53 |
54 | @article{augustine_noaa_2005,
55 | author = {Augustine, J. A. and Hodges, G. B. and Cornwall, C. R. and Michalsky, J. J. and Medina, C. I.},
56 | title = {An update on {SURFRAD} — The {GCOS} surface radiation budget network for the continental {U}nited {S}tates},
57 | language = {eng},
58 | format = {article},
59 | journal = {Journal of Atmospheric and Oceanic Technology},
60 | volume = {22},
61 | pages = {1460–1472},
62 | year = {2005},
63 | doi = {10.1175/JTECH1806.1}
64 | }
65 |
66 | @article{jensen_pvlib_2023,
67 | title = {pvlib iotools—Open-source Python functions for seamless access to solar irradiance data},
68 | journal = {Solar Energy},
69 | volume = {266},
70 | pages = {112092},
71 | year = {2023},
72 | issn = {0038-092X},
73 | doi = {10.1016/j.solener.2023.112092},
74 | author = {Adam R. Jensen and Kevin S. Anderson and William F. Holmgren and Mark A. Mikofski and Clifford W. Hansen and Leland J. Boeman and Roel Loonen},
75 | keywords = {Solar energy, Public data, Python, Data article, Free and open-source software (FOSS)},
76 | }
--------------------------------------------------------------------------------
/docs/requirements.txt:
--------------------------------------------------------------------------------
1 | folium==0.17.0
2 | ipykernel==6.29.5
3 | ipython==8.28.0
4 | itables==2.2.2
5 | jupyter-book==1.0.3
6 | kgcpy==1.1.8
7 | lxml==5.3.0
8 | matplotlib==3.9.2
9 | myst-nb==1.1.2
10 | numpy==2.1.2
11 | pandas==2.2.3
12 | pvlib==0.11.1
13 | pyarrow==17.0.0
14 | pydata-sphinx-theme==0.15.4
15 | Sphinx==7.4.7
16 | sphinx-book-theme==1.1.3
17 | unidecode==1.3.8
18 | xarray==2024.5.0
19 | openpyxl==3.1.5
20 | h5netcdf==1.5.0
21 |
--------------------------------------------------------------------------------
/docs/station_metadata.md:
--------------------------------------------------------------------------------
1 | # Metadata
2 |
3 | The central part of the catalog is the list of stations and their metadata which is displayed on the SolarStations.Org [station catalog page](station_catalog). The metadata for each station includes:
4 | * Station name
5 | * Station abbreviation
6 | * Country and state/region
7 | * Latitude and longitude (according to ISO 6709)
8 | * Elevation in meters above mean sea level
9 | * Time period of operation (see below)
10 | * Station owner and network (e.g., BSRN, SURFRAD)
11 | * Link to the station or network website
12 | * Data availability ("Freely", "Upon request", "Not available", or blank if unknown)
13 | * Station tier (see [station requirements](station_requirements)).
14 | * Instruments and components (see below)
15 | * Long-term annual irradiance (climatology) from NASA POWER (GHI, DNI, and DHI)
16 |
17 | Additional information of some of the metadata fields is provided below.
18 |
19 | ## Time-period
20 | The time period should identify for which years data is available, which is useful for several reasons. Knowing the time period allows for identifying which stations are still active and how long of a historical record of data is available.
21 |
22 | A station that started operating in 2013 which does not have data for 2014 and 2017, but is still active would have a time period entry of: `2013&2015-2016&2018-`. For BSRN stations the time period should be identified based on the available data, which can be seen [here](https://dataportals.pangaea.de/bsrn/). In case it is unknown if a station is still in operation, a question mark is added at the end of the time period, e.g., `2012-?`.
23 |
24 | ## Instruments and components
25 | Metadata concerning the instrumentation and which components are measured is highly useful when determining if a station is of interest for a particular study. The instrumentation column denotes the type of instruments deployed at a site, from which the measured components can be derived. The possible components are:
26 | * Global horizontal irradiance (GHI)
27 | * Direct normal irradiance (DNI)
28 | * Direct horizontal irradiance (DHI)
29 | * Ultraviolet irradiance (UV)
30 | * Longwave downwelling irradiance (LWD)
31 | * Photosynthetic active radiation (PAR)
32 |
33 | The following instrument options are available:
34 | | Instrumentation | Description | Components measured |
35 | |---|---|---|
36 | | `G` | Unshaded thermopile pyranometer | GHI |
37 | | `B` | Thermopile pyrheliometer mounted on a solar tracker | DNI |
38 | | `D` | Shaded thermopile pyranometer mounted on a solar tracker | DHI |
39 | | `Ds` | Thermopile pyranometer shaded by a shadowring | DHI |
40 | | `IR` | Pyrgeometer| LWD |
41 | | `UV`/`UVA`/`UVB` | UV radiometer | UV |
42 | | `PAR` | Radiometer sensitive to photoactive radiation (PAR) | PAR |
43 | | `SPN1` | Multi-sensor pyranometer from Delta-T | GHI/DNI/DHI |
44 | | `RSR`/`RSI`/`RSP` | Rotating shadowband radiometer/pyranometer | GHI/DNI/DHI |
45 |
46 | ## Latitude and longitude
47 | The latitude and longitude of the station should be specified with at least four decimals. This guarantees an [accuracy](http://wiki.gis.com/wiki/index.php/Decimal_degrees) of +/- 5.6 m, which allows users to identify the precise location of a station on a map.
48 |
--------------------------------------------------------------------------------
/docs/station_requirements.md:
--------------------------------------------------------------------------------
1 | # Station requirements and categorization
2 |
3 | This section defines the minimum requirements for a station to be included in the list of multi-component solar irradiance monitoring stations. The most restricting criteria is that stations are required to measure at least two of the three irradiance components, such that the remaining component can be calculated.
4 |
5 | ## Station categorization
6 | Accepted stations are classified into two different categories: Tier 1 and Tier 2 stations, which are defined below.
7 |
8 | ### Tier 1 stations
9 | Tier 1 stations are defined as those that meet all of the following requirements (classification is according to ISO 9060):
10 | * measurement of direct normal irradiance (DNI) with a Spectrally Flat Class A thermopile pyrheliometer mounted on a solar tracker
11 | * measurement of diffuse horizontal irradiance (DHI) with a Spectrally Flat Class A thermopile pyranometer shaded by a shading ball
12 | * measurement of global horizontal irradiance (GHI) with a Spectrally Flat Class A thermopile pyranometer
13 |
14 | Separate measurement of GHI is required for Tier 1 stations as most quality control procedures rely on comparing the measured GHI and GHI derived from direct and diffuse irradiance (closure equation). Stations in the [BSRN network](station_network_bsrn) are examples of Tier 1 stations.
15 |
16 | ### Tier 2 stations
17 | Tier 2 stations are defined as those that do not meet the Tier 1 requirements but meet one of the following specifications:
18 | * Meets two of the three requirements of Tier 1 stations
19 | * Measures GHI and DHI using a rotating shadowband pyranometer or SPN1
20 |
21 | ### Non-qualifying stations
22 | Stations that only measure GHI are not considered, which is in part because there are thousands of such stations worldwide and there are limited methods for assessing the quality of the measurements. Also, stations that measure DHI using a manually adjusted shadow band are generally not considered, as such measurements are notoriously unreliable due to the shadow band having to be adjusted every few days.
23 |
--------------------------------------------------------------------------------
/esmap_stations.csv:
--------------------------------------------------------------------------------
1 | Station name,Abbreviation,State,Country,Latitude,Longitude,Elevation,Time period,Network,Owner,Comment,URL,Data availability,Instrumentation
2 | Hrazdan,ARM_Solar_Hrazdan,,Armenia,40.5116,44.823,1845,2016-,ESMAP,,Instrument and components have not been checked manually.,https://energydata.info/dataset/armenia-solar-radiation-measurement-data,Freely,
3 | Masrik,ARM_Solar_Masrik,,Armenia,40.2077,45.7645,1944,2016-,ESMAP,,Instrument and components have not been checked manually.,https://energydata.info/dataset/armenia-solar-radiation-measurement-data,Freely,
4 | Talin,ARM_Solar_Talin,,Armenia,40.386,43.8972,1641,2016-,ESMAP,,Instrument and components have not been checked manually.,https://energydata.info/dataset/armenia-solar-radiation-measurement-data,Freely,
5 | Yerevan Agro,ARM_Solar_YerevanAgro,,Armenia,40.1887,44.3976,946,2016-,ESMAP,,Instrument and components have not been checked manually.,https://energydata.info/dataset/armenia-solar-radiation-measurement-data,Freely,
6 | Feni,BGD_Solar_BDFE2_Feni,,Bangladesh,22.80029,91.35819,5,2017-,ESMAP,Suntrace GmbH,Instrument and components have not been checked manually.,https://energydata.info/dataset/bangladesh-solar-radiation-measurement-data,Freely,
7 | Malanville,BEN_Solar_Malanville,,Benin,11.78272,3.37349,184,2021-,ESMAP,CSP Services,,https://energydata.info/dataset/benin-solar-radiation-measurement-data,Freely,G;B;D
8 | Parakou,BEN_Solar_Parakou,,Benin,9.33117,2.59119,387,2021-,ESMAP,CSP Services,,https://energydata.info/dataset/benin-solar-radiation-measurement-data,Freely,G;B;D
9 | Dori,BFA_Solar_Dori,,Burkina Faso,14.03045,-0.02435,285,2021-,ESMAP,CSP Services,,https://energydata.info/dataset/burkina-faso-solar-radiation-measurement-data,Freely,G;B;D
10 | Dédougou,BFA_Solar_Dédougou,,Burkina Faso,12.4662,-3.47294,305,2021-,ESMAP,CSP Services,,https://energydata.info/dataset/burkina-faso-solar-radiation-measurement-data,Freely,G;B;D
11 | Kaya,BFA_Solar_Kaya,,Burkina Faso,13.08301,-1.07272,324,2021-,ESMAP,CSP Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/burkina-faso-solar-radiation-measurement-data,Freely,
12 | Koupéla,BFA_Solar_Koupéla,,Burkina Faso,12.19104,-0.36292,302,2021-,ESMAP,CSP Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/burkina-faso-solar-radiation-measurement-data,Freely,
13 | Korhogo,CIV_Solar_Korhogo,,Côte d'Ivoire,9.48058,-5.59509,370,2022-,ESMAP,CSP Services,,https://energydata.info/dataset/cote-divoire-solar-radiation-measurement-data,Freely,G;B;D
14 | Sérébou,CIV_Solar_Sérébou,,Côte d'Ivoire,7.93282,-4.00525,195,2022-,ESMAP,CSP Services,,https://energydata.info/dataset/cote-divoire-solar-radiation-measurement-data,Freely,G;B;D
15 | Weno,FSM_Solar_Weno,,Federated States of Micronesia,7.467517,151.849834,4,2020-2022,ESMAP,GeoSUN Africa,Instrument and components have not been checked manually.,https://energydata.info/dataset/federates-states-of-micronesia-solar-radiation-measurement-data,Freely,
16 | Farafenni,GMB_Solar_Farafenni,,Gambia,13.57301,-15.59253,19,2021-,ESMAP,CSP Services,,https://energydata.info/dataset/the-gambia-solar-radiation-measurement-data,Freely,G;B;D
17 | Sunyani,GHA_Solar_Sunyani,,Ghana,7.34865,-2.34034,330,2021-,ESMAP,CSP Services,,https://energydata.info/dataset/ghana-solar-radiation-measurement-data,Freely,G;B;D
18 | Navrongo,GHA_Solar_Navrongo,,Ghana,10.87554,-1.06293,180,2021-,ESMAP,CSP Services,,https://energydata.info/dataset/ghana-solar-radiation-measurement-data,Freely,G;B;D
19 | Kankan,GIN_Solar_Kankan,,Guinea,10.36465,-9.30466,375,2021-,ESMAP,CSP Services,,https://energydata.info/dataset/guinea-solar-radiation-measurement-data,Freely,G;B;D
20 | Tarambaly,GIN_Solar_Tarambaly,,Guinea,11.356,-12.13706,860,2021-,ESMAP,CSP Services,,https://energydata.info/dataset/guinea-solar-radiation-measurement-data,Freely,G;B;D
21 | Gabu,GNB_Solar_Gabu,,Guinea-Bissau,12.30108,-14.24273,75,2022-,ESMAP,CSP Services,,https://energydata.info/dataset/guinea-bissau-solar-radiation-measurement-data,Freely,G;B;D
22 | Bissau,GNB_Solar_Bissau,,Guinea-Bissau,11.85643,-15.58877,20,2022-,ESMAP,CSP Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/guinea-bissau-solar-radiation-measurement-data,Freely,
23 | Laisamis,KEN_Solar_Laisamis,,Kenya,1.601891,37.802681,576,2019-2021,ESMAP,GeoSUN Africa,Instrument and components have not been checked manually.,https://energydata.info/dataset/kenya-solar-radiation-measurement-data,Freely,
24 | Narok,KEN_Solar_Narok,,Kenya,-1.321097,35.705708,1914,2019-2021,ESMAP,GeoSUN Africa,Instrument and components have not been checked manually.,https://energydata.info/dataset/kenya-solar-radiation-measurement-data,Freely,
25 | Homa Bay,KEN_Solar_Homa Bay,,Kenya,-0.764707,34.360379,1335,2019-2021,ESMAP,GeoSUN Africa,Instrument and components have not been checked manually.,https://energydata.info/dataset/kenya-solar-radiation-measurement-data,Freely,
26 | Ras Baalbak,LBN_Solar_RasBaalbak,,Lebanon,34.2729846,36.4270535,910,2019-,ESMAP,Fraunhofer ISE,Instrument and components have not been checked manually.,https://energydata.info/dataset/lebanon-solar-radiation-measurements,Freely,
27 | Buchanan,LBR_Solar_Buchanan,,Liberia,5.92397,-9.99337,20,2022-,ESMAP,CSP Services,,https://energydata.info/dataset/liberia-solar-radiation-measurement-data,Freely,G;B;D
28 | Yekepa,LBR_Solar_Yekepa,,Liberia,7.39317,-8.66813,446,2022-,ESMAP,CSP Services,,https://energydata.info/dataset/liberia-solar-radiation-measurement-data,Freely,G;B;D
29 | Mount Coffee,LBR_Solar_MountCoffee,,Liberia,6.4978,-10.6517,20,2021-,ESMAP,CSP Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/liberia-solar-radiation-measurement-data,Freely,
30 | Blantyre,MWI_Solar_Blantyre_BLZ,,Malawi,-15.67996,34.97203,770,2016-2018,ESMAP,SGS Malawi,,https://energydata.info/dataset/malawi-solar-radiation-measurement-data,Freely,G;B;D
31 | Kasungu,MWI_Solar_Kasungu_KBQ,,Malawi,-13.0153,33.4685,1065,2016-2018,ESMAP,SGS Malawi,Instrument and components have not been checked manually.,https://energydata.info/dataset/malawi-solar-radiation-measurement-data,Freely,
32 | Mzuzu,MWI_Solar_MZUNI,,Malawi,-11.4199,33.9953,1285,2016-2018,ESMAP,SGS Malawi,Instrument and components have not been checked manually.,https://energydata.info/dataset/malawi-solar-radiation-measurement-data,Freely,
33 | Gan,MDV_Solar_Gan_GAN,,Maldives,-0.6911,73.1599,2,2015-,ESMAP,Renewable Energy Maldives,Instrument and components have not been checked manually.,https://energydata.info/dataset/maldives-solar-radiation-measurement-data,Freely,
34 | Hanimaadhoo,MDV_Solar_Hanimaadhoo_HAQ,,Maldives,6.7482,73.1696,2,2015-,ESMAP,Renewable Energy Maldives,Instrument and components have not been checked manually.,https://energydata.info/dataset/maldives-solar-radiation-measurement-data,Freely,
35 | Kadhdhoo,MDV_Solar_Kadhdhoo_KDO,,Maldives,1.8599,73.5203,2,2015-,ESMAP,Renewable Energy Maldives,Instrument and components have not been checked manually.,https://energydata.info/dataset/maldives-solar-radiation-measurement-data,Freely,
36 | Hulhulé,MDV_Solar_Male _MLE,,Maldives,4.1927,73.5281,2,2015-,ESMAP,Renewable Energy Maldives,Instrument and components have not been checked manually.,https://energydata.info/dataset/maldives-solar-radiation-measurement-data,Freely,
37 | Bougouni,MLI_Solar_Bougouni,,Mali,11.40743,-7.48193,335,2021-,ESMAP,CSP Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/mali-solar-radiation-measurement-data,Freely,
38 | Fana,MLI_Solar_Fana,,Mali,12.76684,-6.96159,329,2021-,ESMAP,CSP Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/mali-solar-radiation-measurement-data,Freely,
39 | Sanankoroba,MLI_Solar_Sanankoroba,,Mali,12.39112,-7.93737,356,2021-,ESMAP,CSP Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/mali-solar-radiation-measurement-data,Freely,
40 | Sikasso,MLI_Solar_Sikasso,,Mali,11.30547,-5.73713,375,2021-,ESMAP,CSP Services,,https://energydata.info/dataset/mali-solar-radiation-measurement-data,Freely,G;B;D
41 | Manantali,MLI_Solar_Manantali,,Mali,13.2005,-10.4308,175,2021-,ESMAP,CSP Services,,https://energydata.info/dataset/mali-solar-radiation-measurement-data,Freely,G;B;D
42 | Yaren,NRU_Solar_Yaren,,Nauru,-0.543447,166.93197,28,2020-2022,ESMAP,GeoSUN Africa,Instrument and components have not been checked manually.,https://energydata.info/dataset/nauru-solar-radiation-measurement-data,Freely,
43 | Dharan,NPL_Solar_Dharan,,Nepal,26.79291,87.29263,315,2018-,ESMAP,CSP Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/nepal-solar-radiation-measurement-data,Freely,
44 | Jumla,NPL_Solar_Jumla,,Nepal,29.27237,82.19351,2363,2018-,ESMAP,CSP Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/nepal-solar-radiation-measurement-data,Freely,
45 | Kathmandu,NPL_Solar_Kathmandu,,Nepal,27.68157,85.31868,1315,2018-,ESMAP,CSP Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/nepal-solar-radiation-measurement-data,Freely,
46 | Lumle,NPL_Solar_Lumle,,Nepal,28.29666,83.818,1742,2018-,ESMAP,CSP Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/nepal-solar-radiation-measurement-data,Freely,
47 | Nepalgunj,NPL_Solar_Nepalgunj,,Nepal,28.11302,81.58899,150,2018-,ESMAP,CSP Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/nepal-solar-radiation-measurement-data,Freely,
48 | Maradi,NER_Solar_Maradi,,Niger,13.52455,7.1678,375,2022-,ESMAP,CSP Services,,https://energydata.info/dataset/niger-solar-radiation-measurement-data,Freely,G;B;D
49 | Lossa,NER_Solar_Lossa,,Niger,13.94701,1.57469,205,2022-,ESMAP,CSP Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/niger-solar-radiation-measurement-data,Freely,
50 | Zabori,NER_Solar_Zabori,,Niger,12.70536,3.55519,235,2022-,ESMAP,CSP Services,,https://energydata.info/dataset/niger-solar-radiation-measurement-data,Freely,G;B;D
51 | Bauchi,NGA_Solar_Bauchi,,Nigeria,10.28526,9.85059,597,2021-,ESMAP,CSP Services,,https://energydata.info/dataset/nigeria-solar-radiation-measurement-data,Freely,G;B;D
52 | Kano,NGA_Solar_Kano,,Nigeria,11.87357,8.45837,449,2021-,ESMAP,CSP Services,,https://energydata.info/dataset/nigeria-solar-radiation-measurement-data,Freely,G;B;D
53 | Bahawalpur,PK_Solar_Bahawalpur_QASP,,Pakistan,29.32542,71.81877,120,2014-,ESMAP,CSP Services,,https://energydata.info/dataset/pakistan-solar-radiation-measurement-data,Freely,G;B;D
54 | Hyderabad,PK_Solar_Hyderabad_MUET,,Pakistan,25.4134,68.2595,60,2015-,ESMAP,CSP Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/pakistan-solar-radiation-measurement-data,Freely,
55 | Islamabad,PK_Solar_Islamabad_NUST,,Pakistan,33.64191,72.9838,500,2014-,ESMAP,CSP Services,,https://energydata.info/dataset/pakistan-solar-radiation-measurement-data,Freely,G;B;D
56 | Karachi,PK_Solar_Karachi_NEDUET,,Pakistan,24.9334,67.1116,40,2015-,ESMAP,CSP Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/pakistan-solar-radiation-measurement-data,Freely,
57 | Khuzdar,PK_Solar_Khuzdar_BUET,,Pakistan,27.8178,66.6294,1260,2015-,ESMAP,CSP Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/pakistan-solar-radiation-measurement-data,Freely,
58 | Lahore,PK_Solar_Lahore_UET,,Pakistan,31.69458,74.2441,220,2014-,ESMAP,CSP Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/pakistan-solar-radiation-measurement-data,Freely,
59 | Multan,PK_Solar_Multan_MSNUET,,Pakistan,30.1654,71.4978,95,2014-,ESMAP,CSP Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/pakistan-solar-radiation-measurement-data,Freely,
60 | Peshawar,PK_Solar_Peshawar_UET,,Pakistan,34.0017,71.4854,370,2015-,ESMAP,CSP Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/pakistan-solar-radiation-measurement-data,Freely,
61 | Quetta,PK_Solar_Quetta_BUITEMS,,Pakistan,30.2708,66.9398,1590,2015-,ESMAP,CSP Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/pakistan-solar-radiation-measurement-data,Freely,
62 | Fatick,SEN_Solar_Fatick,,Senegal,14.36751,-16.41346,8,2016-2017,ESMAP,GeoSUN Africa,Instrument and components have not been checked manually.,https://energydata.info/dataset/senegal-solar-radiation-measurement-data,Freely,
63 | Kahone,SEN_Solar_Kahone,,Senegal,14.168636,-16.034167,10,2016-2017,ESMAP,GeoSUN Africa,Instrument and components have not been checked manually.,https://energydata.info/dataset/senegal-solar-radiation-measurement-data,Freely,
64 | Touba,SEN_Solar_Touba_IFC,,Senegal,14.77252,-15.91955,37,2016-2017,ESMAP,GeoSUN Africa,Instrument and components have not been checked manually.,https://energydata.info/dataset/senegal-solar-radiation-measurement-data,Freely,
65 | Tambacounda,SEN_Solar_Tambacounda,,Senegal,13.77689,-13.72924,40,2021-,ESMAP,CSP Services,,https://energydata.info/dataset/senegal-2021-solar-radiation-measurement-data,Freely,G;B;D
66 | Ourossogui,SEN_Solar_Ourossogui,,Senegal,15.61267,-13.3146,28,2021-,ESMAP,CSP Services,,https://energydata.info/dataset/senegal-2021-solar-radiation-measurement-data,Freely,G;B;D
67 | Kenema,SLE_Solar_Kenema,,Sierra Leone,7.81879,-11.18137,145,2021-,ESMAP,CSP Services,,https://energydata.info/dataset/sierra-leone-solar-radiation-measurement-data,Freely,G;B;D
68 | Bumbuna,SLE_Solar_Bumbuna,,Sierra Leone,9.03529,-11.76454,140,2021-,ESMAP,CSP Services,,https://energydata.info/dataset/sierra-leone-solar-radiation-measurement-data,Freely,G;B;D
69 | Dar es Salaam,TZA_Solar_DaresSalaam_UDSM,,Tanzania,-6.781101,39.2039,190,2015-,ESMAP,Consortium,,https://energydata.info/dataset/tanzania-solar-radiation-measurement-data,Freely,G;B;D
70 | Dar es Salaam,TZA_Solar_Dar es Salaam,,Tanzania,-6.780882971,39.20377331,93,2020-,ESMAP,UDSM,,https://energydata.info/dataset/tanzania-solar-irradiation-measurement-data,Freely,G;B;D
71 | Dodoma,TZA_Solarn_Dodoma,,Tanzania,-6.180039,35.699039,1139,2019-2021,ESMAP,GeoSUN Africa,Instrument and components have not been checked manually.,https://energydata.info/dataset/tanzania-solar-irradiation-measurement-data,Freely,
72 | Shinyanga,TZA_Solar_Shinyanga,,Tanzania,-3.626586111,33.51534167,1179,2020-2021,ESMAP,GeoSUN Africa,Instrument and components have not been checked manually.,https://energydata.info/dataset/tanzania-solar-irradiation-measurement-data,Freely,
73 | Makunduchi,TZA_Solar_Makunduchi,,Tanzania,-6.417039245,39.51694463,30,2019-2021,ESMAP,GeoSUN Africa,Instrument and components have not been checked manually.,https://energydata.info/dataset/tanzania-solar-irradiation-measurement-data,Freely,
74 | Dapaong,TGO_Solar_Dapaong,,Togo,10.89189,0.18984,310,2021-,ESMAP,CSP Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/togo-solar-radiation-measurement-data,Freely,
75 | Davié,TGO_Solar_Davié,,Togo,6.39307,1.18647,91,2021-,ESMAP,CSP Services,,https://energydata.info/dataset/togo-solar-radiation-measurement-data,Freely,G;B;D
76 | Soroti,UGA_Solar_Soroti,,Uganda,1.724351,33.622098,1128,2020-2022,ESMAP,GeoSUN Africa,Instrument and components have not been checked manually.,https://energydata.info/dataset/uganda-solar-radiation-measurement-data,Freely,
77 | Wadelai,UGA_Solar_Wadelai,,Uganda,2.725961,31.390403,644,2020-2022,ESMAP,GeoSUN Africa,Instrument and components have not been checked manually.,https://energydata.info/dataset/uganda-solar-radiation-measurement-data,Freely,
78 | Bac Ninh,VN_Solar_VNHAN_EVN,,Vietnam,21.2013,106.0629,60,2017-,ESMAP,Suntrace GmbH,Instrument and components have not been checked manually.,https://energydata.info/dataset/vietnam-solar-radiation-measurement-data,Freely,
79 | Central Highlands,VN_Solar_VNCEH_EVN,,Vietnam,12.7535,107.8761,290,2017-,ESMAP,Suntrace GmbH,Instrument and components have not been checked manually.,https://energydata.info/dataset/vietnam-solar-radiation-measurement-data,Freely,
80 | Da Nang,VN_Solar_VNDAN_EVN,,Vietnam,16.0125,108.1865,24,2017-,ESMAP,Suntrace GmbH,Instrument and components have not been checked manually.,https://energydata.info/dataset/vietnam-solar-radiation-measurement-data,Freely,
81 | Song Binh,VN_Solar_VNSOB_EVN,,Vietnam,11.2641,108.3452,62,2017-,ESMAP,Suntrace GmbH,Instrument and components have not been checked manually.,https://energydata.info/dataset/vietnam-solar-radiation-measurement-data,Freely,
82 | Tri An,VN_Solar_VNTRA_EVN,,Vietnam,11.1024,107.0378,57,2017-,ESMAP,Suntrace GmbH,Instrument and components have not been checked manually.,https://energydata.info/dataset/vietnam-solar-radiation-measurement-data,Freely,
83 | Chilanga,ZMB_Solar_Lusaka_Chilanga,,Zambia,-15.54831,28.24822,1224,2015-2018,ESMAP,SGS Inspection Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/zambia-solar-radiation-measurement-data-0,Freely,
84 | Choma,ZMB_Solar_Choma_Mochipapa,,Zambia,-16.83822,27.07046,1282,2015-2019,ESMAP,SGS Inspection Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/zambia-solar-radiation-measurement-data-0,Freely,
85 | Kaoma,ZMB_Solar_Kaoma_Longe,,Zambia,-14.83966,24.93186,1167,2015-2020,ESMAP,SGS Inspection Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/zambia-solar-radiation-measurement-data-0,Freely,
86 | Kasama,ZMB_Solar_Kasama_Misamfu,,Zambia,-10.17165,31.22558,1379,2015-2021,ESMAP,SGS Inspection Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/zambia-solar-radiation-measurement-data-0,Freely,
87 | Lusaka,ZMB_Solar_Lusaka_UNZA,,Zambia,-15.39465,28.33711,1262,2015-2017,ESMAP,SGS Inspection Services,,https://energydata.info/dataset/zambia-solar-radiation-measurement-data-0,Freely,G;B;D
88 | Mutanda,ZMB_Solar_Solwezi_Mutanda,,Zambia,-12.4236,26.2153,1317,2015-2022,ESMAP,SGS Inspection Services,Instrument and components have not been checked manually.,https://energydata.info/dataset/zambia-solar-radiation-measurement-data-0,Freely,
89 | Fig Tree,ZM_Solar_FigTree_IFC,,Zambia,-15.001425,28.549047,1143,2018,ESMAP,GeoSUN Africa,Instrument and components have not been checked manually.,https://energydata.info/dataset/zambia-solar-radiation-measurement-data,Freely,
90 | Mumbwa,ZM_Solar_Mumbwa_IFC,,Zambia,-15.085303,27.0015525,1103,2018-2019,ESMAP,GeoSUN Africa,Instrument and components have not been checked manually.,https://energydata.info/dataset/zambia-solar-radiation-measurement-data,Freely,
91 | Ndeke,ZM_Solar_Ndeke_IFC,,Zambia,-12.577451,28.292946,1287,2018-2020,ESMAP,GeoSUN Africa,Instrument and components have not been checked manually.,https://energydata.info/dataset/zambia-solar-radiation-measurement-data,Freely,
92 |
--------------------------------------------------------------------------------
/scripts/esmap_stations.py:
--------------------------------------------------------------------------------
1 | import pandas as pd
2 | import requests
3 |
4 | url = 'https://energydata.info/api/3/action/datastore_search?resource_id=da73e4b1-7cb1-4c9c-8e54-594fad190a60&limit=500'
5 |
6 | response = requests.get(url)
7 |
8 | esmap = pd.DataFrame(response.json()['result']['records'])
9 |
10 | columns_dict = {
11 | 'Nearest Settlement': 'Station name',
12 | 'Site Name': 'Abbreviation',
13 | # 'Project Founder': 'Network',
14 | # Could also use 'documents___reports_url'
15 | 'Measurement Data URL': 'URL',
16 | 'Equipment Owner': 'Owner',
17 | }
18 |
19 | country_corrections = {
20 | 'Guinée-Bissau': 'Guinea-Bissau', # Change to English spelling
21 | 'Bénin': 'Benin', # Change to English spelling
22 | 'Guinée': 'Guinea', # Change to English spelling
23 | }
24 |
25 | esmap = esmap.rename(columns=columns_dict)
26 |
27 | esmap['Network'] = 'ESMAP'
28 |
29 | pd.set_option('future.no_silent_downcasting', True) # avoid warning
30 | esmap['Tier'] = ''
31 | esmap.loc[esmap['Equipment Type'].str.strip().str.contains('Tier1').fillna(False), 'Tier'] = 1
32 | esmap.loc[esmap['Equipment Type'].str.strip().str.contains('Tier2').fillna(False), 'Tier'] = 2
33 |
34 | esmap['State'] = ''
35 | esmap['Data availability'] = 'Freely'
36 |
37 | esmap['Instrumentation'] = ''
38 | esmap.loc[esmap['Tier'] == 1, 'Instrumentation'] = 'G;B;D'
39 |
40 | esmap['Comment'] = ''
41 | esmap.loc[esmap['Tier'] != 1, 'Comment'] = 'Instrument and components have not been checked manually.'
42 |
43 | start_year = esmap['commission_date__m_d_y_'].str[:4]
44 | end_year = esmap['End of Measurement Campaign'].str[-4:].astype(str).str.replace('None', '')
45 | esmap['Time period'] = start_year + '-' + end_year
46 | esmap.loc[start_year == end_year, 'Time period'] = start_year
47 |
48 | # check if stations exists already
49 | stations = pd.read_csv('../solarstations.csv')
50 | duplicate_rows = []
51 | for index, row in esmap.iterrows():
52 | if row['Station name'] in stations['Station name'].values:
53 | if row['Station name'] not in ['Hyderabad', 'Peshawar']:
54 | duplicate_rows.append(index)
55 | if row['Country'] in country_corrections.keys():
56 | esmap.loc[index, 'Country'] = country_corrections[row['Country']]
57 |
58 | esmap = esmap.drop(duplicate_rows)
59 |
60 | header = 'Station name,Abbreviation,State,Country,Latitude,Longitude,Elevation,Time period,Network,Owner,Comment,URL,Data availability,Instrumentation'
61 |
62 | columns = header.split(',')
63 |
64 | esmap[columns].to_csv('../esmap_stations.csv', sep=',', index=False)
65 |
--------------------------------------------------------------------------------
/scripts/generate_continent_dict.py:
--------------------------------------------------------------------------------
1 | """Generate dictionary mapping country name to continent."""
2 | import pandas as pd
3 | import json
4 |
5 | # Read list of countries by continent from Wikipedia
6 | cc = pd.read_html('https://simple.wikipedia.org/wiki/List_of_countries_by_continents', header=[0])
7 | cc = cc[:1] + cc[2:] # skip the territories section
8 |
9 | continents = ['Africa', 'Asia', 'Europe', 'North America', 'South America', 'Oceania']
10 |
11 |
12 | country_continent_dict = {}
13 | for continent, d in zip(continents, cc):
14 |
15 | country_column = \
16 | [c for c in d.columns if (('english name' in c.lower()) | ('country' in c.lower()))][0]
17 | for index, row in d.iterrows():
18 | country = row[country_column].split('[')[0].replace('*', '')
19 | country_continent_dict[country] = continent
20 |
21 |
22 | # Variant spellings
23 | country_continent_dict['Czech Republic'] = country_continent_dict['Czechia']
24 | country_continent_dict['USA'] = country_continent_dict['United States']
25 | # Areas that aren't actual countries
26 | country_continent_dict['Antarctica'] = 'Antarctica'
27 | country_continent_dict['Reunion'] = 'Africa' # Territory of France
28 | country_continent_dict['Mayotte'] = 'Africa' # Territory of France
29 | country_continent_dict['American Samoa'] = 'Oceania'
30 | country_continent_dict['Canary Islands'] = 'Africa'
31 | country_continent_dict['Greenland'] = 'North America'
32 |
33 | with open("../data/country_by_continent.json", "w") as file:
34 | json.dump(country_continent_dict, file, indent="")
35 |
--------------------------------------------------------------------------------
/scripts/logo.py:
--------------------------------------------------------------------------------
1 | import matplotlib.pyplot as plt
2 | from matplotlib.lines import Line2D
3 | import pandas as pd
4 | import cartopy
5 | import cartopy.crs as ccrs
6 |
7 | # %%
8 | solarstations_url = 'https://raw.githubusercontent.com/AssessingSolar/solarstations/main/solarstations.csv'
9 | esampstations_url = 'https://raw.githubusercontent.com/AssessingSolar/solarstations/main/esmap_stations.csv'
10 |
11 | solarstations = pd.read_csv(solarstations_url)
12 | esmap_stations = pd.read_csv(esampstations_url)
13 | stations = pd.concat([solarstations, esmap_stations], axis='rows', ignore_index=True)
14 |
15 | stations.iloc[:3, :8] # Show part of the DataFrame
16 |
17 | # %%
18 |
19 | def station_status(time_period):
20 | if time_period.endswith('-'):
21 | return 'Active'
22 | elif (time_period == '') | time_period.endswith('?'):
23 | return 'Unknown'
24 | else:
25 | return 'Inactive'
26 |
27 | stations['Status'] = stations['Time period'].map(station_status)
28 |
29 | status_dict = {
30 | 'Active': '#008000', # Green for active stations
31 | 'Unknown': '#3186cc', # Blue for stations with unknown status
32 | 'Inactive': '#ff422b', # Red for inactive stations
33 | }
34 |
35 | stations['Color'] = stations['Status'].map(status_dict)
36 |
37 | z_order_dict = {'Active': 2, 'Unknown': 1, 'Inactive': 0}
38 | stations['z_order'] = stations['Status'].map(z_order_dict)
39 |
40 | stations = stations.sort_values('z_order')
41 |
42 | legend_elements = []
43 | for status, color in status_dict.items():
44 | legend_elements.append(Line2D([0], [0], marker='o', lw=0,
45 | label=status, color='none',
46 | markerfacecolor=color, markersize=7)
47 | )
48 |
49 | # %%
50 |
51 | crs = ccrs.Orthographic(
52 | central_longitude=-25,
53 | central_latitude=20,
54 | )
55 |
56 | fig, ax = plt.subplots(figsize=(4, 4), subplot_kw={'projection': crs})
57 |
58 | # Set limits of main map [min_lon, max_lon, min_lat, max_lat]
59 | #ax.set_extent([-179, 180, -90, 90])
60 |
61 | # Add land borders, coastline, and gridlines to main map
62 | ax.add_feature(cartopy.feature.LAND, facecolor='lightgrey', alpha=0.9, zorder=0)
63 | ax.coastlines(color='black', lw=0.3, alpha=1, zorder=3)
64 | ax.gridlines(draw_labels=False, dms=True, x_inline=False, y_inline=False, alpha=0.7, lw=0.1, zorder=-1)
65 |
66 | # Add points of solar stations
67 | # it is important to specify `transform=ccrs.PlateCarree()` to transform the points from
68 | # regular latitude/longitude (PlateCarree) to the specific map projection
69 | stations.plot.scatter(
70 | ax=ax, x='Longitude', y='Latitude',
71 | c='white', alpha=0.9, s=12, edgecolor='black', lw=0.8,
72 | transform=ccrs.PlateCarree(), zorder=4)
73 |
74 | # Create the figure
75 | # ax.legend(handles=legend_elements, loc='lower left',
76 | # frameon=False, bbox_to_anchor=[0, 0.2])
77 |
78 | ax.patch.set_facecolor('lightyellow')#'#fbf8f1')
79 |
80 | fig.savefig('solarstations_map.png', dpi=900, bbox_inches='tight', facecolor="none")
81 | plt.show()
82 |
--------------------------------------------------------------------------------
/scripts/nasa_power.py:
--------------------------------------------------------------------------------
1 | """Functions to retrieve data from NASA POWER."""
2 |
3 | import pandas as pd
4 | import requests
5 | import numpy as np
6 |
7 | DEFAULT_PARAMETERS = [
8 | 'ALLSKY_SFC_SW_DNI', 'ALLSKY_SFC_SW_DIFF', 'ALLSKY_SFC_SW_DWN']
9 |
10 | URL = 'https://power.larc.nasa.gov/api/temporal/climatology/regional?'
11 |
12 |
13 | def get_nasa_power(latitude, longitude, start='2001-01-01', end='2020-01-01',
14 | community='RE', parameters=DEFAULT_PARAMETERS, url=URL):
15 |
16 | latitude_min, latitude_max = latitude # bottom, top
17 | longitude_min, longitude_max = longitude # left, right
18 |
19 | params = {
20 | 'start': pd.Timestamp(start).year,
21 | 'end': pd.Timestamp(end).year,
22 | 'latitude-min': latitude_min,
23 | 'latitude-max': latitude_max,
24 | 'longitude-min': longitude_min,
25 | 'longitude-max': longitude_max,
26 | 'community': community,
27 | 'parameters': ','.join(parameters),
28 | 'format': 'json',
29 | 'user': 'DAVE',
30 | }
31 |
32 | res = requests.get(url, params=params)
33 | res.raise_for_status()
34 |
35 | meta = res.json()['header']
36 | meta['parameters'] = res.json()['parameters']
37 |
38 | data = pd.json_normalize(data=res.json()['features'])
39 |
40 | data = data.replace(-999, np.nan)
41 |
42 | data = data.rename(columns={
43 | 'properties.parameter.ALLSKY_SFC_SW_DWN.ANN': 'GHI_typical_kWh_m2',
44 | 'properties.parameter.ALLSKY_SFC_SW_DIFF.ANN': 'DHI_typical_kWh_m2',
45 | 'properties.parameter.ALLSKY_SFC_SW_DNI.ANN': 'DNI_typical_kWh_m2',
46 | })
47 |
48 | data[['longitude', 'latitude']] = \
49 | pd.DataFrame(data['geometry.coordinates'].to_list()).iloc[:, :-1]
50 |
51 | data = data.set_index(['latitude', 'longitude'])
52 |
53 | data = \
54 | data[['GHI_typical_kWh_m2', 'DHI_typical_kWh_m2', 'DNI_typical_kWh_m2']]
55 |
56 | data = data.multiply(365) # convert kWh/m2/day to kWh/m2/yr
57 |
58 | return data, meta
59 |
60 |
61 | # %%
62 | step_size = 10 # max allowed box dimension
63 | latitudes = np.arange(-90, 90, step_size)
64 | longitudes = np.arange(-180, 180, step_size)
65 |
66 | dfs = []
67 | for lat in latitudes:
68 | latitude = [lat, lat + step_size]
69 | for lon in longitudes:
70 | longitude = [lon, min(lon + step_size, 179)]
71 | data, _ = get_nasa_power(latitude, longitude)
72 | dfs.append(data)
73 |
74 | df = pd.concat(dfs, axis='rows')
75 |
76 | df.round(0).to_csv('data/nasa_power_annual_irradiance_global.csv')
77 |
--------------------------------------------------------------------------------
/solarstations.csv:
--------------------------------------------------------------------------------
1 | Station name,Abbreviation,State,Country,Latitude,Longitude,Elevation,Time period,Network,Owner,Comment,URL,Data availability,Instrumentation
2 | Abashiri,ABS,,Japan,44.0178,144.2797,38,2021-,BSRN,,,,Freely,G;B;D;IR
3 | Alert,ALE,Lincoln Sea,Canada,82.49,-62.42,127,2004-2014,BSRN,,,,Freely,G;B;D;IR
4 | Alice Springs,ASP,Northern Territory,Australia,-23.7951,133.8890,546,1995-,BSRN,BOM,,http://www.bom.gov.au/climate/data/oneminsolar/about-IDCJAC0022.shtml,Freely,G;B;D;IR
5 | Barrow,BAR,Alaska,USA,71.323,-156.607,8,1992-,BSRN; ABO,NOAA,,https://gml.noaa.gov/obop/brw/,Freely,G;B;D;IR
6 | Bermuda,BER,Bermuda,USA,32.267,-64.667,8,1992-2013&2016-,BSRN,,,,Freely,G;B;D;IR
7 | Billings,BIL,Oklahoma,USA,36.605,-97.516,317,1993-,BSRN,,,,Freely,G;B;D;IR
8 | Bondville,BON,Illinois,USA,40.05192,-88.37309,230,1995-,BSRN; SURFRAD,NOAA,,http://www.srrb.noaa.gov/surfrad/bondvill.html,Freely,G;B;D;IR
9 | Boulder,BOS,Colorado,USA,40.12498,-105.23680,1689,1995-,BSRN; SURFRAD,NOAA,,https://gml.noaa.gov/grad/surfrad/tablemt.html,Freely,G;B;D;IR
10 | Boulder,BOU,Colorado,USA,40.05,-105.007,1577,1992-2016,BSRN,,,,Freely,G;B;D;IR
11 | Brasilia,BRB,,Brazil,-15.601259,-47.713774,1023,2006-2015&2018-,BSRN;SONDA,INPE,SONDA station (2004-2019). No maintenance between 2016-2017.,http://sonda.ccst.inpe.br/basedados/brasilia.html,Freely,G;B;D;IR
12 | Budapest-Lorinc,BUD,Budapest,Hungary,47.4291,19.1822,139.1,2019-,BSRN;WMO RRC,,,,Freely,G;B;D;IR
13 | Cabauw,CAB,,Netherlands,51.9711,4.9267,0,2005-,BSRN,,,https://dataplatform.knmi.nl/dataset/cesar-bsrn-irraddown-la1-t1-v1-0,Freely,G;B;D;IR
14 | Camborne,CAM,,United Kingdom,50.2167,-5.3167,88,2001-,BSRN,,,https://epic.awi.de/id/eprint/40425/1/Camborne_BSRN_Station_Info.pdf,Freely,G;B;D;IR
15 | Cape Baranova,CAP,,Russia,79.27,101.75,,2016-,BSRN,,,,Freely,G;B;D;IR
16 | Carpentras,CAR,,France,44.083,5.059,100,1996-2018,BSRN;WMO RRC,,,,Freely,G;B;D;IR
17 | Chesapeake Light,CLH,North Atlantic Ocean,USA,36.905,-75.713,37,2000-2016,BSRN,NASA,Closed due to structural issues,https://science.larc.nasa.gov/crave/,Freely,G;B;D;IR
18 | Cener,CNR,Navarra,Spain,42.816,-1.601,471,2009-,BSRN,,,,Freely,G;B;D;IR
19 | Cocos Island,COC,Cocos (Keeling) Islands,Australia,-12.1892,96.8344,3,2004-,BSRN,BOM,,http://www.bom.gov.au/climate/data/oneminsolar/about-IDCJAC0022.shtml,Freely,G;B;D;IR
20 | De Aar,DAA,,South Africa,-30.6667,23.993,1287,2000-,BSRN,,,,Freely,G;B;D;IR
21 | Darwin,DAR,Northern Territory,Australia,-12.4239,130.8925,30.4,2002-2021,BSRN,BOM,BSRN data available until 2015,http://www.bom.gov.au/climate/data/oneminsolar/about-IDCJAC0022.shtml,Freely,G;B;D;IR
22 | Concordia Station & Dome C,DOM,,Antarctica,-75.1,123.383,3233,2006-,BSRN,,,,Freely,G;B;D;IR
23 | Dongsha Atoll,DON,,Taiwan,20.7,116.73,2,?,,National Central University Taiwan,Previously a BSRN provisional station.,https://gml.noaa.gov/dv/site/index.php?stacode=DSI,Freely,G;B;D
24 | Desert Rock,DRA,Nevada,USA,36.62373,-116.01947,1007,1994-,BSRN; SURFRAD,NOAA,,https://gml.noaa.gov/grad/surfrad/desrock.html,Freely,G;B;D;IR
25 | Darwin Met Office,DWN,Northern Territory,Australia,-12.424,130.8925,32,2008-,BSRN,,,,Freely,G;B;D;IR
26 | Southern Great Plains,E13,Oklahoma,USA,36.60406,-97.48525,314,1994-,BSRN; ARM,,,http://www.arm.gov/sites/sgp,Freely,G;B;D;IR
27 | Eastern North Atlantic,ENA,Azores,Portugal,39.0911,-28.0292,15.2,2015-,BSRN; ARM,,Ongoing issues with calibration.,https://www.arm.gov/capabilities/observatories/ena/locations/c1,Freely,G;B;D;IR
28 | Eureka,EUR,Ellesmere Island,Canada,79.989,-85.9404,85,2007-2011,BSRN,,,https://en.wikipedia.org/wiki/Eureka%2C_Nunavut,Freely,G;B;D;IR
29 | Florianopolis,FLO;FLN,,Brazil,-27.6017,-48.5178,31,1994-2005&2013-,BSRN;SONDA,INPE,SONDA station (2004-2019). No maintenance between 2016-2017.,http://sonda.ccst.inpe.br/basedados/florianopolis.html,Freely,G;B;D;IR
30 | Fort Peck,FPE,Montana,USA,48.30783,-105.10170,634,1995-,BSRN;SURFRAD,NOAA,,https://gml.noaa.gov/grad/surfrad/ftpeck.html,Freely,G;B;D;IR
31 | Fukuoka,FUA,,Japan,33.5822,130.3764,3,2010-2024,BSRN,,,https://epic.awi.de/id/eprint/36862/41/Fukuoka_old-and-new.pdf,Freely,G;B;D;IR
32 | Gandhinagar,GAN,,India,23.1101,72.6276,65,2014-2015&2018-,BSRN;SRRA,National Institute of wind energy,,,Freely,G;B;D;IR
33 | Goodwin Creek,GCR,Mississippi,USA,34.2547,-89.8729,98,1995-,BSRN;SURFRAD,NOAA,,https://gml.noaa.gov/grad/surfrad/goodwin.html,Freely,G;B;D;IR
34 | Granite Island,GIM,Michigan,USA,46.721,-87.411,208,2019-,BSRN,NASA,,https://science.larc.nasa.gov/crave/,Freely,G;B;D;IR
35 | Gobabeb,GOB,Namib Desert,Namibia,-23.5614,15.042,407,2012-,BSRN,,,,Freely,G;B;D;IR
36 | Gurgaon,GUR,,India,28.4249,77.156,259,2014-2015&2018-,BSRN;SRRA,National Institute of wind energy,,,Freely,G;B;D;IR
37 | Georg von Neumayer,GVN,Dronning Maud Island,Antarctica,-70.65,-8.25,42,1982-,BSRN,,Neumayer-station II from 1992-2009 & Neumayer station III from 2009. BSRN FTP server only has data from 1992.,https://www.awi.de/en/science/long-term-observations/atmosphere/antarctic-neumayer.html,Freely,G;B;D;IR
38 | Howrah,HOW,,India,22.5535,88.3064,51,2014-2016&2018-,BSRN;SRRA,National Institute of wind energy,,,Freely,G;B;D;IR
39 | Ilorin,ILO,,Nigeria,8.5333,4.5667,350,1992-2005,BSRN,,Station closed due to no funding,,Freely,G;B;D;IR
40 | Ishigakijima,ISH,,Japan,24.3367,124.1644,5.7,2010-,BSRN,,,,Freely,G;B;D;IR
41 | Izaña,IZA,Tenerife,Spain,28.3093,-16.4993,2372.9,2009-,BSRN,,,,Freely,G;B;D;IR
42 | Kwajalein,KWA,,Marshall Islands,8.72,167.731,10,1992-2017,BSRN,,,https://gml.noaa.gov/grad/sites/kwa.html,Freely,G;B;D;IR
43 | Lampedusa,LMP,,Italy,35.5180,12.6300,50.0,2023-,BSRN,,,,Freely,G;B;D;IR
44 | Lauder,LAU,,New Zealand,-45.045,169.689,350,1999-,BSRN,,,,Freely,G;B;D;IR
45 | Lerwick,LER,Shetland Island,United Kingdom,60.1389,-1.1847,80,2001-,BSRN,,,https://epic.awi.de/id/eprint/35071/1/Lerwick_site_info.pdf,Freely,G;B;D;IR
46 | Lindenberg,LIN,,Germany,52.21,14.122,125,1994-,BSRN;WMO RRC,,,https://www.dwd.de/DE/forschung/atmosphaerenbeob/lindenbergersaeule/mol/mol_node.html,Freely,G;B;D;IR
47 | Lulin,LLN,,Taiwan,23.4686,120.8736,2862,2009-,,,Previously a BSRN provisional stations.,http://lulin.tw/,Freely,G;B;D
48 | Langley Research Center,LRC,Virginia,USA,37.1038,-76.3872,3,2014-,BSRN,NASA,,https://science.larc.nasa.gov/crave/,Freely,G;B;D;IR
49 | Lanyu Station,LYU,,Taiwan,22.037,121.5583,324,2018-,BSRN,,,,Freely,G;B;D;IR
50 | Momote,MAN,,Papua New Guinea,-2.058,147.425,6,1996-2013,BSRN,,,,Freely,G;B;D;IR
51 | Minamitorishima,MNM,Minami-Torishima,Japan,24.2883,153.9833,7.1,2010-,BSRN,,,https://epic.awi.de/id/eprint/36862/3/Minamitorishima.pdf,Freely,G;B;D;IR
52 | Marguele,MRS,,Romania,44.3439,26.0123,110,?,BSRN,,Candidate Station (no. 88),,Freely,G;B;D;IR
53 | Nauru Island,NAU,,Nauru,-0.521,166.9167,7,1998-2013,BSRN,,,,Freely,G;B;D;IR
54 | Newcastle,NEW,New South Wales,Australia,-32.8842,151.7289,18.5,2017-,BSRN,,,,Freely,G;B;D;IR
55 | Ny-Ålesund,NYA,Spitsberger,Norway,78.925,11.93,11,1992-,BSRN,,,https://www.awi.de/en/fleet-stations/stations/awipev-arctic-research-base.html,Freely,G;B;D;IR
56 | Observatory of Huancayo,OHY,,Peru,-12.05,-75.32,3314,2017-,BSRN,,,,Freely,G;B;D;IR
57 | Palaiseau & SIRTA Observatory,PAL,,France,48.713,2.208,156,2003-,BSRN,,,,Freely,G;B;D;IR
58 | Paramaribo,PAR,,Suriname,5.806,-55.2146,4,2019-,BSRN,,,,Freely,G;B;D;IR
59 | Payerne,PAY,,Switzerland,46.8123,6.9422,491,1992-,BSRN,MeteoSwiss,,,Freely,G;B;D;IR
60 | Rock Springs,PSU,Pennsylvania,USA,40.72012,-77.93085,376,1998-,BSRN;SURFRAD,NOAA,SURFRAD station known as Penn State,https://gml.noaa.gov/grad/surfrad/pennstat.html,Freely,G;B;D;IR
61 | Petrolina,PTR,,Brazil,-9.068,-40.319,387,2006-,BSRN;SONDA,INPE,SONDA station (2004-2019). No maintenance between 2016-2017.,http://sonda.ccst.inpe.br/basedados/petrolina.html,Freely,G;B;D;IR
62 | Regina,REG,,Canada,50.205,-104.713,578,1995-2011,BSRN,,,,Freely,G;B;D;IR
63 | Rolim de Moura,RLM,,Brazil,-11.582,-61.773,252,2007,BSRN,,Only two months of data available.,,Freely,G;B;D;IR
64 | Reunion Island & University,RUN,,Reunion,-20.9014,55.4836,116,2019-,BSRN,,,,Freely,G;B;D;IR
65 | Sapporo,SAP,,Japan,43.06,141.3286,17.2,2010-2020,BSRN,,,https://epic.awi.de/id/eprint/36862/28/Sapporo.pdf,Freely,G;B;D;IR
66 | Sede Boqer,SBO,,Israel,30.8597,34.7794,500,2003-2012,BSRN,,,,Freely,G;B;D;IR
67 | Selegua - Mexico Solarimetric Station,SEL,,Mexico,15.7839,-91.9902,602,2017-,BSRN,Mexican Solarimetric Service,BSRN data from 2020.,https://solarimetrico.geofisica.unam.mx/,,G;B;D;IR
68 | São Martinho da Serra,SMS,,Brazil,-29.4428,-53.8231,489,2006-,BSRN;SONDA,INPE,SONDA station (2005-2019). No maintenance between 2016-2017.,http://sonda.ccst.inpe.br/basedados/saomartinho.html,Freely,G;B;D;IR
69 | Sonnblick,SON,,Austria,47.054,12.9577,3108.9,2013-,BSRN;ARAD,,,https://www.sonnblick.net/en/,Freely,G;B;D;IR
70 | Solar Village,SOV,,Saudi Arabia,24.91,46.41,650,1998-2003,BSRN; AERONET,NREL;KACST,,https://www.nrel.gov/grid/solar-resource/saudi-arabia.html,Freely,G;B;D;IR
71 | South Pole,SPO,,Antarctica,-89.983,-24.799,2800,1992-,BSRN; ABO,NOAA,,https://gml.noaa.gov/obop/spo/,Freely,G;B;D;IR
72 | Sioux Falls,SXF,South Dakota,USA,43.73403,-96.62328,473,2003-,BSRN; SURFRAD,NOAA,,https://gml.noaa.gov/grad/surfrad/siouxfalls.html,Freely,G;B;D;IR
73 | Syowa,SYO,,Antarctica,-69.005,39.589,18,1994-,BSRN,AWI,,https://epic.awi.de/id/eprint/47515/,Freely,G;B;D;IR
74 | Tamanrasset,TAM,,Algeria,22.7903,5.5292,1385,2000-,BSRN;WMO RRC,,No DIR and DIF data at TAM since 2018: Due to a broken tracker which could not yet be replaced the DIR and DIF data at Tamanrasset is missing since February 2018.,,Freely,G;B;D;IR
75 | Tateno;Tsukuba,TAT,,Japan,36.0581,140.1258,25,1996-,BSRN;WMO RRC,JMA,,https://epic.awi.de/id/eprint/36862/27/Tateno.pdf,Freely,G;B;D;IR
76 | Tiksi,TIK,Siberia,Russia,71.5862,128.9188,48,2010-,BSRN,,,,Freely,G;B;D;IR
77 | Tiruvallur,TIR,,India,13.0923,79.9738,36,2014-,BSRN;SRRA,National Institute of wind energy,,,Freely,G;B;D;IR
78 | Terra Nova Bay,TNB,,Antarctica,-74.6223,164.2283,28,?,BSRN,,Candidate Station (no. 89),,Freely,G;B;D;IR
79 | Toravere,TOR,,Estonia,58.254,26.462,70,1999-,BSRN,,,https://gml.noaa.gov/grad/meetings/BSRN2018_documents/2018_%20BSRN_poster_EST_Rosin.pdf,Freely,G;B;D;IR
80 | Xianghe,XIA,,China,39.754,116.962,32,2005-2016,BSRN,,Station obstructed & no longer in BSRN since 2016,,Freely,G;B;D;IR
81 | Yushan Station,YUS,,Taiwan,23.4876,120.9595,3858,2018-,BSRN,,,,Freely,G;B;D;IR
82 | Albuquerque,ABQ,New Mexico,USA,35.03796,-106.62211,1617,1995-,SOLRAD,NOAA,,https://gml.noaa.gov/grad/solrad/abq.html,Freely,G;B;D
83 | Bismarck,BIS,North Dakota,USA,46.77179,-100.75955,503,1995-,SOLRAD,NOAA,,https://gml.noaa.gov/grad/solrad/bis.html,Freely,G;B;D
84 | Hanford,HNX,California,USA,36.31357,-119.63164,73,1995-,SOLRAD,NOAA,,https://gml.noaa.gov/grad/solrad/hnx.html,Freely,G;B;D
85 | Madison,MSN,Wisconsin,USA,43.0725,-89.41133,271,1996-,SOLRAD,NOAA,Madison station file format changed after Jun 2009 (https://gml.noaa.gov/aftp/data/radiation/solrad/README_SOLRAD.txt),https://gml.noaa.gov/grad/solrad/msn.html,Freely,G;B;D
86 | Oak Ridge,ORT,Tennessee,USA,35.96101,-84.28838,334,1995-2007,SOLRAD,NOAA,,https://gml.noaa.gov/grad/solrad/ort.html,Freely,G;B;D
87 | Salt Lake City,SLC,Utah,USA,40.7722,-111.95495,1288,1995-,SOLRAD,NOAA,,https://gml.noaa.gov/grad/solrad/slc.html,Freely,G;B;D
88 | Seattle,SEA,Washington,USA,47.68685,-122.25667,20,1995-,SOLRAD,NOAA,,https://gml.noaa.gov/grad/solrad/sea.html,Freely,G;B;D
89 | Sterling,STE,Virginia,USA,38.97203,-77.48690,85,1995-,SOLRAD,NOAA,Site location pre Oct 28 2014 (lat:38.97673; lon:-77.48379).,https://gml.noaa.gov/grad/solrad/ste.html,Freely,G;B;D
90 | Tallahassee,TLH,Florida,USA,30.39675,-84.32955,18,1995-2002,SOLRAD,NOAA,,https://gml.noaa.gov/grad/solrad/tlh.html,Freely,G;B;D
91 | Portland,PT;PSO,Oregon,USA,45.51,-122.69,70,2004-,SRML,University of Oregon,5-min data between 2004 and 2011.,http://solardata.uoregon.edu/PortlandPV.html,Freely,RSR
92 | Burns,BU;BUO,Oregon,USA,43.52,-119.02,1265,1994-,SRML,University of Oregon,5 min data from 1994 to 2011.,http://solardata.uoregon.edu/Burns.html,Freely,G;B;D
93 | Silver lake,SL;SIO,Oregon,USA,43.12,-121.06,1355,2002-,SRML,University of Oregon,Only 5 minute data?,http://solardata.uoregon.edu/SilverLake.html,Freely,RSR
94 | Ashland,AS;ASO,Oregon,USA,42.19,-122.7,595,2000-,SRML,University of Oregon,5-minute data from 2000 to 2018.,http://solardata.uoregon.edu/Ashland.html,Freely,RSR
95 | Seattle,ST;STW,Washington,USA,47.654,-122.309,70,2015-,SRML,University of Oregon,,http://solardata.uoregon.edu/SeattleUW.html,Freely,G;B;D
96 | Eugene,EU;EUO,Oregon,USA,44.0468,-123.0742,150,1977-,SRML,University of Oregon,Has tilted irradiance measurements and some spectral data.,http://solardata.uoregon.edu/Eugene.html,Freely,G;B;D
97 | Hermiston,HE;HEO,Oregon,USA,45.82,-119.28,180,1979-,SRML,University of Oregon,Also has a RSR.,http://solardata.uoregon.edu/Hermiston.html,Freely,G;B;D
98 | DTU Lyngby,DTU,Capital region,Denmark,55.7906,12.5251,50,2014-,,Technical University of Denmark,Elevation is approximate.,https://weatherdata.construct.dtu.dk/,Freely,G;B;D;IR
99 | DTU Risø,RIS,Region Zealand,Denmark,55.6943,12.1017,13,2017-,,Technical University of Denmark,Also has spectral measurements. Elevation is approximate.,,Not available,G;B;D;IR;UV
100 | University of KwaZulu-Natal Howard College,UKZN,Durban,South Africa,-29.87097931,30.97694969,150,2015-2021,SAURAN,,Roof of Desmond Clarence building. Permanently offline.,https://sauran.ac.za/station-documents/KZH/KZH%20Station%20Details.pdf,Freely,G;B;D
101 | University of KwaZulu-Natal Westville,ZUL,Durban,South Africa,-29.81694031,30.94491959,200,2015-2020,SAURAN,,Roof of Physics building. Permanently offline.,,Freely,G;B;D
102 | Stellenbosch University,STB,Stellenbosch,South Africa,-33.92810059,18.86540031,119,2010-2024,SAURAN,,Roof of Engineering building,https://sauran.ac.za,Freely,G;B;D
103 | GIZ University of Pretoria,UOP,Pretoria,South Africa,-25.75308037,28.22859001,1410,2013-2024,SAURAN,,Roof of university building. Also has acronym UPR.,https://sauran.ac.za,Freely,
104 | GIZ Vanrhynsdorp,RVLD,Vanrhynsdorp,South Africa,-31.61747932,18.73834038,130,2016-2019,SAURAN,,Inside enclosure on rural farmland. Permanently offline. Also goes by the acronym VAN.,https://sauran.ac.za/station-documents/VAN/VAN%20Station%20Details.pdf,Freely,
105 | GIZ University of Free State,UFS,Bloemfontein,South Africa,-29.11074066,26.18502998,1491,2014-2017,SAURAN,,Roof of Physics building. Permanently offline.,https://sauran.ac.za/station-documents/UFS/UFS%20Station%20Details.pdf,Freely,G;B;D
106 | GIZ Graaff-Reinet,GRN,Graaff-Reinet,South Africa,-32.48546982,24.58581924,660,2013-2016,SAURAN,,Inside enclosure on rural farmland. Permanently offline.,https://sauran.ac.za/station-documents/GRT/GRT%20Station%20Details.pdf,Freely,
107 | Nelson Mandela University,NMU,Port Elizabeth,South Africa,-34.0085907,25.66526031,35,2015-2021,SAURAN,,Roof of Solar Outdoor Research Facility. Permanently offline. Is this really correct? Check what data comes in?,https://sauran.ac.za/station-documents/NMU/NMU%20Station%20Details.pdf,Freely,G;B;D
108 | GIZ Richtersveld,RVLD,Alexander Bay,South Africa,-28.56084061,16.76145935,141,2014-2024,SAURAN,,Inside enclosure in desert region,https://sauran.ac.za/station-documents/RVD/RVD%20Station%20Details.pdf,Freely,G;B;D
109 | Mangosuthu University of Technology,MUT,Umlazi,South Africa,-29.97020912,30.91490936,95,2015-2021,SAURAN,,Roof of lecture complex. Diffuse with shadow band. Pyrheliometer on Eppley one-axis tracker. Permanently offline.,https://sauran.ac.za/station-documents/STA/STA%20Station%20Details.pdf,Freely,G;B;Ds
110 | Eskom Sutherland,SALT,Sutherland,South Africa,-32.22199249,20.34777451,1450,2016-2017,SAURAN,,Permanently offline. Karoo scrubland.,https://sauran.ac.za/station-documents/SUT/SUT%20Station%20Details.pdf,Freely,G;B;D
111 | USAid Gaborone,GAB,Gaborone,Botswana,-24.6609993,25.93400002,1014,2014-2020,SAURAN,,Roof of building in University of Botswana,https://sauran.ac.za/,Freely,G;B;D
112 | USAid Venda,VEN,Vuwani,South Africa,-23.13100052,30.42399979,628,2015-2024,SAURAN,,Vuwani Science Research Centre,https://sauran.ac.za/,Freely,G;B;D
113 | University of Zululand,ZUL,KwaDlangezwa,South Africa,-28.85289955,31.85161018,90,2013-2024,SAURAN,,Roof of university building,https://sauran.ac.za/,Freely,G;B;D
114 | USAid Namibian University of Science and Technology,NUST,Windhoek,Namibia,-22.56500053,17.07500076,1683,2016-2024,SAURAN,,Roof of Engineering Building,https://sauran.ac.za/,Freely,G;B;D
115 | USAid University of Fort Hare,UFH,Alice,South Africa,-32.78461075,26.84519958,540,2017-2024,SAURAN,,Roof of Zoology Department,https://sauran.ac.za/,Freely,G;B;D
116 | GIZ Murraysburg,MRB,Murraysburg,South Africa,-31.89009094,24.05623055,1548,2017-2019,SAURAN,,Permanently offline. Inside enclosure on rural farmland.,https://sauran.ac.za/,Freely,G;B;D
117 | Mariendal,HELIO,Mariendal,South Africa,-33.85412979,18.82444954,178,2015-2020,SAURAN,,Permanently offline. Installed on a container.,https://sauran.ac.za/,Freely,G;B;D
118 | Eskom Sutherland SALT,,Sutherland,South Africa,-32.37778091,20.8116703,1761,2017-2020,SAURAN,,Permanently offline. Karoo scrubland.,https://sauran.ac.za/,Freely,G;B;D
119 | CSIR Energy Centre,CSIR,Pretoria,South Africa,-25.746519,28.278739,1400,2017-2024,SAURAN,,Roof of building,https://sauran.ac.za/,Freely,G;B;D
120 | Central University of Technology,CUT,Bloemfontein,South Africa,-29.121337,26.215909,1397,2017-2024,SAURAN,,Roof of the Engineering building,https://sauran.ac.za,Freely,G;B;D
121 | University of KwaZulu-Natal Pietermaritzburg,,Pietermaritzburg,South Africa,-29.621226,30.397038,680,2021-2024,SAURAN,,Rooftop,https://sauran.ac.za/,Freely,G;B;D
122 | Anmyeondo GAW station,AMY,,South Korea,36.53,126.32,47,1999-,WMO GAW,,Also measured upwards shortwave and longwave irradiance and has a skyradiometer and a Brewer.,,,
123 | Jeju Gosan GAW station,JGS,,South Korea,33.3,126.21,52,2008-,WMO GAW,,The station also has a sky radiometer.,,,
124 | Weather Station De Veenkampen,,Wageningen,Netherlands,51.9812,5.6202,,2010-,,Wageningen University,The quality of the radiation measurements are questionable.,https://ruisdael-observatory.nl/veenkampen/,,G;B;D
125 | Kiruna,,,Sweden,67.842,20.41,424,1983-,SMHI,SMHI,,https://www.smhi.se/data/hitta-data-for-en-plats/ladda-ner-vaderobservationer,Upon request,G;B;D
126 | Norrköping,,,Sweden,58.582,16.148,43,1983-,SMHI;WMO RRC,SMHI,,https://www.smhi.se/data/hitta-data-for-en-plats/ladda-ner-vaderobservationer,Upon request,G;B;D
127 | Visby,,,Sweden,57.673,18.345,49,1983-,SMHI,SMHI,,https://www.smhi.se/data/hitta-data-for-en-plats/ladda-ner-vaderobservationer,Upon request,G;B;D
128 | Luleå,,,Sweden,65.544,22.111,32,1983-2007,SMHI,SMHI,,https://www.smhi.se/publikationer-fran-smhi/sok-publikationer/2011-12-04-upgrade-of-smhis-meteorological-radiation-network-2006-2007---effects-on-direct-and-global-solar-radiation,Upon request,G;B
129 | Umeå,,,Sweden,63.811,20.240,23,1983-2008,SMHI,SMHI,,https://www.smhi.se/publikationer-fran-smhi/sok-publikationer/2011-12-04-upgrade-of-smhis-meteorological-radiation-network-2006-2007---effects-on-direct-and-global-solar-radiation,Upon request,G;B
130 | Östersund,,,Sweden,63.197,14.48,374,1983-2009,SMHI,SMHI,,https://www.smhi.se/publikationer-fran-smhi/sok-publikationer/2011-12-04-upgrade-of-smhis-meteorological-radiation-network-2006-2007---effects-on-direct-and-global-solar-radiation,Upon request,G;B
131 | Borlänge,,,Sweden,60.488,15.43,164,1983-2010,SMHI,SMHI,,https://www.smhi.se/publikationer-fran-smhi/sok-publikationer/2011-12-04-upgrade-of-smhis-meteorological-radiation-network-2006-2007---effects-on-direct-and-global-solar-radiation,Upon request,G;B
132 | Karlstad,,,Sweden,59.359,13.472,46,1983-2011,SMHI,SMHI,,https://www.smhi.se/publikationer-fran-smhi/sok-publikationer/2011-12-04-upgrade-of-smhis-meteorological-radiation-network-2006-2007---effects-on-direct-and-global-solar-radiation,Upon request,G;B
133 | Stockholm,,,Sweden,59.353,18.063,30,1983-2012,SMHI,SMHI,,https://www.smhi.se/publikationer-fran-smhi/sok-publikationer/2011-12-04-upgrade-of-smhis-meteorological-radiation-network-2006-2007---effects-on-direct-and-global-solar-radiation,Upon request,G;B
134 | Göteborg,,,Sweden,57.708,11.992,30,1983-2013,SMHI,SMHI,,https://www.smhi.se/publikationer-fran-smhi/sok-publikationer/2011-12-04-upgrade-of-smhis-meteorological-radiation-network-2006-2007---effects-on-direct-and-global-solar-radiation,Upon request,G;B
135 | Växjö,,,Sweden,56.927,14.731,182,1983-2014,SMHI,SMHI,,https://www.smhi.se/publikationer-fran-smhi/sok-publikationer/2011-12-04-upgrade-of-smhis-meteorological-radiation-network-2006-2007---effects-on-direct-and-global-solar-radiation,Upon request,G;B
136 | Lund,,,Sweden,55.714,13.212,85,1983-2015,SMHI,SMHI,,https://www.smhi.se/publikationer-fran-smhi/sok-publikationer/2011-12-04-upgrade-of-smhis-meteorological-radiation-network-2006-2007---effects-on-direct-and-global-solar-radiation,Upon request,G;B
137 | Tataouine,,,Tunisia,32.974,10.485,210,2011-,enerMENA,CRTEn,,https://www.dlr.de/sf/en/desktopdefault.aspx/tabid-8680/12865_read-32404/,,
138 | Ma'an,,,Jordan,30.172,35.818,1012,2011-,enerMENA,University of Jordan,,https://www.dlr.de/sf/en/desktopdefault.aspx/tabid-8680/12865_read-32404/,,
139 | Oujda,,,Morocco,34.65,-1.9,617,2011-,enerMENA,University of oujda,,https://www.dlr.de/sf/en/desktopdefault.aspx/tabid-8680/12865_read-32404/,,
140 | Cairo,,,Egypt,30.036,31.009,104,2012-,enerMENA,Cairo University,,https://www.dlr.de/sf/en/desktopdefault.aspx/tabid-8680/12865_read-32404/,,G;B;D
141 | Adrar,,,Algeria,27.88,-0.274,262,2012-,enerMENA,CDER,,https://www.dlr.de/sf/en/desktopdefault.aspx/tabid-8680/12865_read-32404/,,
142 | Ghardaia,,,Algeria,32.386,3.78,463,2012-,enerMENA,CDER,,https://www.dlr.de/sf/en/desktopdefault.aspx/tabid-8680/12865_read-32404/,,
143 | Missour,,,Morocco,32.86,-4.107,1107,2013-,enerMENA,IRESEN,,https://www.dlr.de/sf/en/desktopdefault.aspx/tabid-8680/12865_read-32404/,,
144 | Erfoud,,,Morocco,31.491,-4.218,859,2013-,enerMENA,IRESEN,,https://www.dlr.de/sf/en/desktopdefault.aspx/tabid-8680/12865_read-32404/,,RSI
145 | Zagora,,,Morocco,30.272,-5.852,783,2013-,enerMENA,IRESEN,,https://www.dlr.de/sf/en/desktopdefault.aspx/tabid-8680/12865_read-32404/,,RSI
146 | Tan-Tan,,,Morocco,28.498,-11.322,75,2013-,enerMENA,IRESEN,,https://www.dlr.de/sf/en/desktopdefault.aspx/tabid-8680/12865_read-32404/,,
147 | Ciudad Universitaria,UNAM,Mexico City,Mexico,19.3262,-99.176,2284,2015-,WMO RRC,Mexican Solarimetric Service,,https://solarimetrico.geofisica.unam.mx/,,G;B;D
148 | Coeneo,COE,Michoacán,Mexico,19.8137,-101.6946,1990,2015-,,Mexican Solarimetric Service,,https://solarimetrico.geofisica.unam.mx/,,G;B;D
149 | Ciudad Cuahutémoc,CDC,Chihuahua,Mexico,28.4504,-106.7942,2112,2015-,,Mexican Solarimetric Service,,https://solarimetrico.geofisica.unam.mx/,,G;B;D
150 | Gómez Palacio,VEN,Durango,Mexico,24.9568,-104.5704,1877,2015-,,Mexican Solarimetric Service,,https://solarimetrico.geofisica.unam.mx/,,G;B;D
151 | Guerrero Negro,GRN,Baja California Sur,Mexico,28.0377,-113.9787,21,2016-,,Mexican Solarimetric Service,,https://solarimetrico.geofisica.unam.mx/,,G;B;D
152 | Ixmiquilpan,IXM,Hedalgo,Mexico,20.4955,-99.181,1761,2016-,,Mexican Solarimetric Service,,https://solarimetrico.geofisica.unam.mx/,,G;B;D
153 | Morelos,Mor,Quintana Roo,Mexico,19.759,-88.7243,17,2017-,,Mexican Solarimetric Service,,https://solarimetrico.geofisica.unam.mx/,,G;B;D
154 | Nuevo Laredo,NVL,Tamaulipas,Mexico,27.4526,-99.5185,128,2017-,,Mexican Solarimetric Service,,https://solarimetrico.geofisica.unam.mx/,,G;B;D
155 | Tepic,TEP,Nayarit,Mexico,21.4916,-104.8947,959,2016-,,Mexican Solarimetric Service,,https://solarimetrico.geofisica.unam.mx/,,G;B;D
156 | Zacatecas City,ZAC,Zacatecas ,Mexico,22.7725,-102.6436,2316,2015-,,Mexican Solarimetric Service,,https://solarimetrico.geofisica.unam.mx/,,G;B;D
157 | Hermosillo,HMO,Sonora,Mexico,29.0279,-111.1456,157,2018-,,Mexican Solarimetric Service,,https://solarimetrico.geofisica.unam.mx/,,G;B;D
158 | Poprad-Ganovce,,,Slovakia,49.035,20.324,709,?,Slovak Hydrometeorological Institute,,,,Upon request,G;B;D
159 | Dobele,,,Latvia,56.62,23.32,42,?,Latvian Environment Geology and Meteorology Centre (LEGMC),,,,,
160 | Silutes,,,Lithuania,55.352,21.447,5,?,Lithuanian Hydrometeorological Service (LHMS),,,,,
161 | Kauno,,,Lithuania,54.884,23.836,77,?,Lithuanian Hydrometeorological Service (LHMS),,,,,
162 | Kishinev,,,Moldova,47,28.817,205,?,ARG / Academy of Sciences of Moldova,,,,,
163 | Tajoura,,,Libya,32.815147,13.438943,,?,,,,,,
164 | Heraklion,,Crete,Greece,35.31139,25.10174,95,?,,Hellenic Mediterranean University,Tracked located on roof of building. Site also has spectral radiation measurements.,https://leps.hmu.gr/en/home/,Not available,
165 | Mauna Loa,MLO,Hawaii,USA,19.5362,-155.5763,3397,1976-,ABO,NOAA,Also downwelling long- and shortwave as well as spectral irradiance measurements.,https://gml.noaa.gov/obop/mlo/,Freely,G;B;D
166 | Cape Matatula,SMO,Tutila Island,American Samoa,-14.2474,-170.5644,42,1976-,ABO,NOAA,Diffuse irradiance measurements first started in 1995.,https://gml.noaa.gov/obop/smo/,Freely,G;B;D
167 | North Slope of Alaska,NSA,Alaska,USA,71.323,-156.609,8,1997-,ARM,,This site should note be confused with the NOAA Barrow site which is located ~1 km away. Radiation instruments are located at the Central Facility (Barrow),https://arm.gov/capabilities/observatories/nsa/locations/c1,Freely,G;B;D
168 | SRRL BMS,BMS,Colorado,USA,39.7424,-105.1787,1828.8,1981-,NREL MIDC,NREL,The NREL Solar Radiation Research Laboratory (SRRL) operates the largest collection of pyranometers and pyrheliometers in the world. Regular calibration and cleaning.,https://midcdmz.nrel.gov/apps/sitehome.pl?site=BMS,Freely,G;B;D
169 | SOLARTAC,STAC,Colorado,USA,39.75685,-104.62025,1674,2009-,NREL MIDC,,Relatively good quality data but somewhat inconsistent cleaning.,https://midcdmz.nrel.gov/apps/sitehome.pl?site=STAC,Freely,G;B;D
170 | Flatirons M2,NWTC,Colorado,USA,39.9106,-105.2347,1855,2021-,NREL MIDC,NREL,Regular calibration and cleaning as of 2022.,https://midcdmz.nrel.gov/apps/sitehome.pl?site=NWTC,Freely,G;B;D
171 | Casaccia Research Center,CAS,Lazio,Italy,42.04167,12.30667,,2001-,,ENEA,Since 2020 also has PAR; albedo; UVA; UVB; spectral.,,,G;B;D;UVA;UVB;PAR
172 | European Solar Test Installation - JRC,JRC,Ispra,Italy,45.81206,8.62706,220,1996-,,,,,Freely,G;B;D
173 | Ricerca sul Sistema Energetico,RSE,Milan,Italy,45.47488,9.26001,150,2012-,,RSE,Tracker is installed on the roof of a building (ground elevation is 108 m). The station also makes spectral measurement using a Spectrafy instrument.,,,G;B;D
174 | University of Girona,,Catalonia,Spain,41.96,2.83,110,1993-,,,,https://www.udg.edu/en/grupsrecerca/Fisica-Ambiental/Estacio-Meteorologica/Informacio-general-sobre-lestacio,,G;B;D
175 | Alamosa,SLV,Colorado,USA,37.70,-105.92,2317,2014-2016,SURFRAD,NOAA,,https://gml.noaa.gov/aftp/data/radiation/surfrad/,Freely,G;B;D
176 | Rutland,RUT,Vermont,USA,43.64,-72.97,184,2014-2015,SURFRAD,NOAA,,https://gml.noaa.gov/aftp/data/radiation/surfrad/,Freely,G;B;D
177 | Wasco,WAS,Oregon,USA,45.59,-120.67,200,2016-2017,SURFRAD,NOAA,,https://gml.noaa.gov/aftp/data/radiation/surfrad/,Freely,G;B;D
178 | Airai,,,Palau,7.368513,134.539830,47,2020-2022,PPA,,Two GHI thermopile pyranometers (Hukseflux SR30-D1 and SR20-T2); a SPN-1; three reference cells; and a weather station.,https://energydata.info/dataset/palau-solar-radiation-measurement-data,Freely,G;SPN1
179 | Efate,,,Vanuatu,-17.709738,168.211453,152,2020-2022,PPA,,The station is located on the UNELCO wind farm on Efate Island innuatu.,https://energydata.info/dataset/vanuatu-solar-radiation-measurement-data,Freely,G;SPN1
180 | Nauru,,,Nauru,0.543447,166.931970,28,2020-2022,PPA,,,https://energydata.info/dataset/nauru-solar-radiation-measurement-data,Freely,G;SPN1
181 | Chuuk,,,Federated States of Micronesia,7.467517,151.849834,4,2020-2022,PPA,,,https://energydata.info/dataset/federates-states-of-micronesia-solar-radiation-measurement-data,Freely,G;SPN1
182 | Alotau,,,Papua New Guinea,-10.310113,150.337975,20,2020-2022,PPA,,,https://energydata.info/dataset/papua-new-guinea-solar-radiation-measurement-data,Freely,G;SPN1
183 | Honiara,,,Solomon Islands,-9.438163,160.063212,4,2020-2022,PPA,,,https://energydata.info/dataset/solomon-islands-solar-radiation-measurement-data,Freely,G;SPN1
184 | Majuro,,,Marshall Islands,7.065048,171.268887,5,2020-2022,PPA,,,https://energydata.info/dataset/marshall-islands-solar-radiation-measurement-data,Freely,G;SPN1
185 | Funafuti,,,Tuvalu,-8.525087,179.1963230,0,2020-2022,PPA,,,https://energydata.info/dataset/tuvalu-solar-radiation-measurement-data,Freely,G;SPN1
186 | Lari Tal Amara,LBAMA,,Lebanon,33.85679,35.98659,935,2019-2021,ESMAP,,,https://energydata.info/dataset/lebanon-solar-radiation-measurements,Freely,G;RSI
187 | Ras Ballbak,LBRAS,,Lebanon,34.272946,36.4270535,910,2019-2021,,World Bank,,https://energydata.info/dataset/lebanon-solar-radiation-measurements,Freely,G;RSI
188 | Wien,,,Austria,48.25,16.36,198,2011-,ARAD,ZAMG,,https://www.zamg.ac.at/cms/de/klima/klimaforschung/datensaetze/arad,Upon request,G;B;D
189 | Graz,,,Austria,47.08,15.45,398,2011-,ARAD,ZAMG,,https://www.zamg.ac.at/cms/de/klima/klimaforschung/datensaetze/arad,Upon request,G;B;D
190 | Innsbruck,,,Austria,47.26,11.38,578,2011-,ARAD,ZAMG,,https://www.zamg.ac.at/cms/de/klima/klimaforschung/datensaetze/arad,Upon request,G;B;D
191 | Kanzelhöhe,,,Austria,46.68,13.90,1540,2013-,ARAD,ZAMG,,https://www.zamg.ac.at/cms/de/klima/klimaforschung/datensaetze/arad,Upon request,G;B;D
192 | Davos,DAV,,Switzerland,46.8130,9.8440,1610,2000-,WMO RRC,MeteoSwiss,GHI started in 1995; DNI in 2000; and diffuse in 2003.,https://www.meteoswiss.admin.ch/home/climate/swiss-climate-in-detail/radiation-monitoring.html,Upon request,G;B;D
193 | Jungfraujoch,JUN,,Switzerland,46.5500,7.9900,3582,1996-,,MeteoSwiss,No diffuse measurements due to too hars meteorological conditions.,https://www.meteoswiss.admin.ch/home/climate/swiss-climate-in-detail/radiation-monitoring.html,Upon request,G;B;D
194 | Locarno-Monti,OTL,,Switzerland,46.1800,8.7830,366,2000-,,MeteoSwiss,GHI from 1996; DNI from 2000; and diffuse from 2001.,https://www.meteoswiss.admin.ch/home/climate/swiss-climate-in-detail/radiation-monitoring.html,Upon request,G;B;D
195 | Amitie,amitie,,Seychelles,-4.321022,55.693361,3,2019-,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.4408667,https://galilee.univ-reunion.fr/,Freely,SPN1;UV
196 | Anse Boileau,anseboileau,,Seychelles,-4.710958,55.484732,2,2019-,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.4408665,https://galilee.univ-reunion.fr/,Freely,SPN1;UV
197 | Antananarivo,antananarivo,,Madagascar,-18.89833,47.546422,1309,2019-,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.4408673,https://galilee.univ-reunion.fr/,Freely,SPN1;UV
198 | Antsiranana (Diego Suarez),diego,,Madagascar,-12.348602,49.293412,108,2019-,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.4408675,https://galilee.univ-reunion.fr/,Freely,SPN1;UV
199 | Aurere,aurere,,Reunion,-21.01977,55.42472,603,2023-,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.10693606,https://galilee.univ-reunion.fr/,Freely,SPN1
200 | Bras Panon Moreau,braspanonmoreau,,Reunion,-21.002649,55.682897,20,2010-2014,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.7092821,https://galilee.univ-reunion.fr/,Freely,SPN1
201 | Caverne Dufour,cavernedufour,,Reunion,-21.109176,55.495655,2495,2021-,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.5812546,https://galilee.univ-reunion.fr/,Freely,SPN1
202 | Cilaos Bras Sec,cilaosbrassec,,Reunion,-21.141754,55.489703,1269,2012-2013,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.7092842,https://galilee.univ-reunion.fr/,Freely,SPN1
203 | Cilaos Piscine,cilaospiscine,,Reunion,-21.136158,55.47416,1213,2013-2016,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.7092835,https://galilee.univ-reunion.fr/,Freely,SPN1
204 | Cilaos Thermes,cilaosthermes,,Reunion,-21.12894,55.47332,1255.8,2012-2013,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.7092847,https://galilee.univ-reunion.fr/,Freely,SPN1
205 | Cratere Bory,craterebory,,Reunion,-21.244138,55.709018,2584.2,2016-2021,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.7092849,https://galilee.univ-reunion.fr/,Freely,SPN1
206 | Dembeni,dembeni,,Mayotte,-12.846892,45.18093,107,2024-,IOS-net,,Data can be downloaded from: see URL (DOI coming soon),https://galilee.univ-reunion.fr/,Freely,SPN1
207 | Durban,durban,,South Africa,-29.87098,30.97695,150,2013-2018,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.7092844,https://galilee.univ-reunion.fr/,Freely,SPN1
208 | Hahaya,hahaya,,Comoros,-11.539412,43.278112,32,2019-,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.4408671,https://galilee.univ-reunion.fr/,Freely,SPN1;UV
209 | La Possession Baie,edflapossession,,Reunion,-20.93061,55.32897,13,2012-2023,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.10693552,https://galilee.univ-reunion.fr/,Freely,SPN1
210 | Le Port Barbusse,leportbarbusse,,Reunion,-20.934157,55.30779,16.96,2010-2021,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.7092858,https://galilee.univ-reunion.fr/,Freely,SPN1
211 | Le Port Mairie,leportmairie,,Reunion,-20.935233,55.290266,12,2015-,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.7092855,https://galilee.univ-reunion.fr/,Freely,SPN1
212 | Marla,marla,,Reunion,-21.10237,55.43058,1593.25,2023-,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.8419976,https://galilee.univ-reunion.fr/,Freely,SPN1
213 | Observatoire du Piton de La Fournaise,observatoirevolcan,,Reunion,-21.208587,55.571453,1556,2016-2018,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.7092871,https://galilee.univ-reunion.fr/,Freely,SPN1
214 | Ouangani,ouangani,,Mayotte,-12.840881,45.12891,118,2024-,IOS-net,,Data can be downloaded from: see URL (DOI coming soon),https://galilee.univ-reunion.fr/,Freely,SPN1
215 | Ouani,ouani,,Comoros,-12.132659,44.42928,20,2019-,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.4408669,https://galilee.univ-reunion.fr/,Freely,SPN1;UV
216 | Piton des Neiges,pitondesneiges,,Reunion,-21.09559639,55.48030484,2990,2021-,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.7092867,https://galilee.univ-reunion.fr/,Freely,SPN1
217 | Plaine des Palmistes Parc National,plaineparcnational,,Reunion,-21.1367,55.6241,1057,2018-,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.4408677,https://galilee.univ-reunion.fr/,Freely,SPN1
218 | Radio Telescope Bras D'Eau,mrtbrasdeau,,Mauritius,-20.139386,57.726052,27,2015-,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.4408660,https://galilee.univ-reunion.fr/,Freely,SPN1
219 | Reserve Francois Leguat,reservetortues,,Mauritius,-19.757625,63.37075,36,2017-,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.4001619,https://galilee.univ-reunion.fr/,Freely,SPN1;UV
220 | Saint Andre Chevrettes,edfsaintandre,,Reunion,-20.96280,55.62243,200,2012-2023,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.10693536,https://galilee.univ-reunion.fr/,Freely,SPN1
221 | Saint Denis Bois de Nefles,edfboisdenefles,,Reunion,-20.91731,55.47644,337,2012-2023,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.10693525,https://galilee.univ-reunion.fr/,Freely,SPN1
222 | Saint Joseph Marie,saintjosephmairie,,Reunion,-21.379077,55.619688,36,2013-2015,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.7092888,https://galilee.univ-reunion.fr/,Freely,SPN1
223 | Saint Leu Mazeau,edfsaintleu,,Reunion,-21.20064,55.30233,232,2012-,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.10693559,https://galilee.univ-reunion.fr/,Freely,SPN1
224 | Saint Louis Lycee Jean Joly,saintlouisjeanjoly,,Reunion,-21.271391,55.43558,152,2016-,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.7092894,https://galilee.univ-reunion.fr/,Freely,SPN1
225 | Saint Paul Le Carat,saintpaulcarat,,Reunion,-21.04323,55.25089,100,2022-,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.8419974,https://galilee.univ-reunion.fr/,Freely,SPN1
226 | Saint Pierre La Valle,edfsaintpierre,,Reunion,-21.31392,55.45107,67,2012-,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.10693567,https://galilee.univ-reunion.fr/,Freely,SPN1
227 | Sainte Rose Mairie,sainterosemairie,,Reunion,-21.127324,55.793136,24,2013-2016,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.7092890,https://galilee.univ-reunion.fr/,Freely,SPN1
228 | University of La Reunion Moufia,urmoufia,,Reunion,-20.90146,55.483593,96,2008-,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.7092910,https://galilee.univ-reunion.fr/,Freely,SPN1;UV
229 | University of La Reunion Tampon,urtampon,,Reunion,-21.269277,55.50702,553,2012-2014,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.7092912,https://galilee.univ-reunion.fr/,Freely,SPN1
230 | University of Mauritius Reduit,uomreduit,,Mauritius,-20.24497,57.48770,200,2022-2023,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.10693484,https://galilee.univ-reunion.fr/,Freely,SPN1
231 | Vacoas,vacoas,,Mauritius,-20.297095,57.496918,431,2019-,IOS-net,,Data can be downloaded from: https://doi.org/10.5281/zenodo.4408662,https://galilee.univ-reunion.fr/,Freely,SPN1;UV
232 | HBKU-B2,B2,,Qatar,25.32,51.42,,2012-2017&2021-,QEERI,QEERI,Contact dbachour@hbku.edu.qa or dastudillo@hbku.edu.qa for more info.,https://www.hbku.edu.qa/en/qeeri/energy-center,Upon request,G;B;D
233 | Al Kharsaah,Kha,,Qatar,25.22,51,,2019-,QEERI,QEERI,Contact dbachour@hbku.edu.qa or dastudillo@hbku.edu.qa for more info.,https://www.hbku.edu.qa/en/qeeri/energy-center,Upon request,G;B;D
234 | Abu Samra,Abu,,Qatar,24.75,50.82,,2020-,QEERI,QEERI,Contact dbachour@hbku.edu.qa or dastudillo@hbku.edu.qa for more info.,https://www.hbku.edu.qa/en/qeeri/energy-center,Upon request,G;B;D
235 | Al Batna,Bat,,Qatar,25.1,51.17,,2020-,QEERI,QEERI,Contact dbachour@hbku.edu.qa or dastudillo@hbku.edu.qa for more info.,https://www.hbku.edu.qa/en/qeeri/energy-center,Upon request,G;B;D
236 | Al Ghuwayriyah,Ghu,,Qatar,25.84,51.27,,2020-,QEERI,QEERI,Contact dbachour@hbku.edu.qa or dastudillo@hbku.edu.qa for more info.,https://www.hbku.edu.qa/en/qeeri/energy-center,Upon request,G;B;D
237 | Al Jumayliyah,Jum,,Qatar,25.61,51.08,,2020-,QEERI,QEERI,Contact dbachour@hbku.edu.qa or dastudillo@hbku.edu.qa for more info.,https://www.hbku.edu.qa/en/qeeri/energy-center,Upon request,G;B;D
238 | Al Karaanah,Kar,,Qatar,25.01,51.04,,2020-,QEERI,QEERI,Contact dbachour@hbku.edu.qa or dastudillo@hbku.edu.qa for more info.,https://www.hbku.edu.qa/en/qeeri/energy-center,Upon request,G;B;D
239 | Al Shehaimiyah,She,,Qatar,25.86,50.96,,2020-,QEERI,QEERI,Contact dbachour@hbku.edu.qa or dastudillo@hbku.edu.qa for more info.,https://www.hbku.edu.qa/en/qeeri/energy-center,Upon request,G;B;D
240 | Al Wakrah,Wak,,Qatar,25.19,51.62,,2020-,QEERI,QEERI,Contact dbachour@hbku.edu.qa or dastudillo@hbku.edu.qa for more info.,https://www.hbku.edu.qa/en/qeeri/energy-center,Upon request,G;B;D
241 | Dukhan,Duk,,Qatar,25.41,50.76,,2020-,QEERI,QEERI,Contact dbachour@hbku.edu.qa or dastudillo@hbku.edu.qa for more info.,https://www.hbku.edu.qa/en/qeeri/energy-center,Upon request,G;B;D
242 | Turayna,Tur,,Qatar,24.74,51.21,,2020-,QEERI,QEERI,Contact dbachour@hbku.edu.qa or dastudillo@hbku.edu.qa for more info.,https://www.hbku.edu.qa/en/qeeri/energy-center,Upon request,G;B;D
243 | Al Khor,Kho,,Qatar,25.66,51.46,,2020-,QEERI,QEERI,Contact dbachour@hbku.edu.qa or dastudillo@hbku.edu.qa for more info.,https://www.hbku.edu.qa/en/qeeri/energy-center,Upon request,G;B;D
244 | Al Shahaniya,Sha,,Qatar,25.39,51.11,,2020-,QEERI,QEERI,Contact dbachour@hbku.edu.qa or dastudillo@hbku.edu.qa for more info.,https://www.hbku.edu.qa/en/qeeri/energy-center,Upon request,G;B;D;UV;IR
245 | Ghasham Farm,Gha,,Qatar,24.85,51.27,,2020-,QEERI,QEERI,Contact dbachour@hbku.edu.qa or dastudillo@hbku.edu.qa for more info.,https://www.hbku.edu.qa/en/qeeri/energy-center,Upon request,G;B;D
246 | Sudanthile,Sud,,Qatar,24.63,51.06,,2020-,QEERI,QEERI,Contact dbachour@hbku.edu.qa or dastudillo@hbku.edu.qa for more info.,https://www.hbku.edu.qa/en/qeeri/energy-center,Upon request,G;B;D;UV;IR
247 | Jang Bogo,JBS,,Antarctica,-74.3719,164.1344,26,2015-,,KOPRI-CNR,,,,G;B;D
248 | Plataforma Solar de Almeria,METAS,,Spain,37.09165,-2.36355,494,2005-,,CIEMAT,,https://www.psa.es/en/facilities/meteo/meteo.php,,G;B;D;UV;IR
249 | Hamm-Lippstadt University of Applied Science,HSHL,,Germany,51.682,7.843,60,2016-,,Hamm-Lippstadt University,,https://www.hshl.de/forschung-unternehmen/forschungsprojekte/meteorologische-messstation/,,G;RSI
250 | Alice Springs,,Northern Territory,Australia,-23.762361,133.875389,,2019-,,DKA Solar Centre,Parameters sampled at 1-second intervals and averaged at 5-second intervals,https://dkasolarcentre.com.au/locations/nt-solar-resource/alice-springs-2,Freely,G;B
251 | Tennant Creek,,Northern Territory,Australia,-19.679500, 134.261500,,2019-,,DKA Solar Centre,Parameters sampled at 1-second intervals and averaged at 5-second intervals,https://dkasolarcentre.com.au/locations/nt-solar-resource/tennant-creek,Freely,G;B
252 | Katherine,,Northern Territory,Australia,-14.474694, 132.305083,,2019-,,DKA Solar Centre,Parameters sampled at 1-second intervals and averaged at 5-second intervals,https://dkasolarcentre.com.au/locations/nt-solar-resource/katherine,Freely,G;B
253 | Artigas Airport,ARM,,Uruguay,-30.3984,-56.5117,136,2011-2020,RMCIS,Uruguay Solar Energy Laboratory,Experimental site with mixed use of instruments.,http://les.edu.uy/en/rmcis-en/,,G;SPN1;
254 | Salto Grande,LES,,Uruguay,-31.2827,-57.9181,56,2015-,RMCIS,Uruguay Solar Energy Laboratory,,http://les.edu.uy/en/rmcis-en/,,G;B;D;UV;IR
255 | EE Palo a Pique,PPI,,Uruguay,-33.2581,-54.4804,26,2016-,RMCIS,Uruguay Solar Energy Laboratory,,http://les.edu.uy/en/rmcis-en/,,G;SPN1
256 | Las Brujas,LBI,,Uruguay,-34.6720,-56.3401,38,2010-,RMCIS,Uruguay Solar Energy Laboratory,,http://les.edu.uy/en/rmcis-en/,,SPN1
257 | EE La Magnolia,TAI,,Uruguay,-31.7090,-55.8269,142,2015-,RMCIS,Uruguay Solar Energy Laboratory,,http://les.edu.uy/en/rmcis-en/,,SPN1
258 | Cuiabá,CBA,,Brazil,-15.5553,-56.0700,185,2006-2012,SONDA,INPE,No photos or instument info was provided,http://sonda.ccst.inpe.br/basedados/cuiaba.html,Freely,G;Ds
259 | Campo Grande,CGR,,Brazil,-20.4383,-54.5383,677,2004-2016,SONDA,INPE,Diffuse is measured with a shadowband,http://sonda.ccst.inpe.br/basedados/campogrande.html,Freely,G;Ds
260 | Palmas,PMA,,Brazil,-10.1778,-48.3619,216,2005-2016,SONDA,INPE,Diffuse is measured with a shadowband,http://sonda.ccst.inpe.br/basedados/palmas.html,Freely,G;Ds
261 | São Luiz,SLZ,,Brazil,-2.5933,-44.2122,40,2007-2019,SONDA,INPE,No maintenance between 2016-2017. Diffuse is measured with a shadowband,http://sonda.ccst.inpe.br/basedados/saoluiz.html,Freely,G;Ds
262 | Caicó,CAI,,Brazil,-6.4669,-37.0847,176,2002-2019,SONDA,INPE,No maintenance between 2016-2017,http://sonda.ccst.inpe.br/basedados/caico.html,Freely,G;B;IR
263 | Natal,NAT,,Brazil,-5.8367,-35.2064,58,2007-2019,SONDA,INPE,No maintenance between 2016-2017. Diffuse is measured with a shadowband,http://sonda.ccst.inpe.br/basedados/natal.html,Freely,G;Ds
264 | Cachoeira Paulista,CPA,,Brazil,-22.6896,-45.0062,574,2014-2019,SONDA,INPE,No maintenance between 2016-2017. No photos or instument info was provided,http://sonda.ccst.inpe.br/basedados/cachoeira.html,Freely,G;B;D
265 | Joinville,JOI,,Brazil,-26.2525,-48.8578,48,2009-2015,SONDA,INPE,No photos or instument info was provided,http://sonda.ccst.inpe.br/basedados/joinville.html,Freely,G;Ds
266 | Sombrio,SBR,,Brazil,-29.0956,-49.8133,15,2004-2016,SONDA,INPE,No photos or instument info was provided,http://sonda.ccst.inpe.br/basedados/sombrio.html,Freely,G;Ds
267 | Ourinhos,ORN,,Brazil,-22.9486,-49.8942,446,2006-2019,SONDA,INPE,No maintenance between 2016-2017. Diffuse is measured with a shadowband,http://sonda.ccst.inpe.br/basedados/ourinhos.html,Freely,G;Ds
268 | Abha,,,Saudi Arabia,18.23,42.66,2039,1998-2003,,NREL;KACST,,https://www.nrel.gov/grid/solar-resource/saudi-arabia.html,Freely,G;B;D
269 | Al-ahsa,,,Saudi Arabia,25.30,49.48,178,1998-2003,,NREL;KACST,,https://www.nrel.gov/grid/solar-resource/saudi-arabia.html,Freely,G;B;D
270 | Gizan,,,Saudi Arabia,16.90,42.58,7,1998-2003,,NREL;KACST,,https://www.nrel.gov/grid/solar-resource/saudi-arabia.html,Freely,G;B;D
271 | Qassim,,,Saudi Arabia,26.31,43.77,647,1998-2003,,NREL;KACST,,https://www.nrel.gov/grid/solar-resource/saudi-arabia.html,Freely,G;B;D
272 | Jeddah,,,Saudi Arabia,21.68,39.15,4,1998-2003,,NREL;KACST,,https://www.nrel.gov/grid/solar-resource/saudi-arabia.html,Freely,G;B;D
273 | Al-Madinah,,,Saudi Arabia,24.55,39.70,626,1998-2003,,NREL;KACST,,https://www.nrel.gov/grid/solar-resource/saudi-arabia.html,Freely,G;B;D
274 | Al-qaisumah,,,Saudi Arabia,28.32,46.13,358,1998-2003,,NREL;KACST,,https://www.nrel.gov/grid/solar-resource/saudi-arabia.html,Freely,G;B;D
275 | Sharurah,,,Saudi Arabia,17.47,47.11,725,1998-2003,,NREL;KACST,,https://www.nrel.gov/grid/solar-resource/saudi-arabia.html,Freely,G;B;D
276 | Al-Jouf,,,Saudi Arabia,29.79,40.10,669,1998-2003,,NREL;KACST,,https://www.nrel.gov/grid/solar-resource/saudi-arabia.html,Freely,G;B;D
277 | Tabouk,,,Saudi Arabia,28.38,36.61,768,1998-2003,,NREL;KACST,,https://www.nrel.gov/grid/solar-resource/saudi-arabia.html,Freely,G;B;D
278 | Wadi Al-Dawaser,,,Saudi Arabia,20.44,44.68,701,1998-2003,,NREL;KACST,,https://www.nrel.gov/grid/solar-resource/saudi-arabia.html,Freely,G;B;D
279 | Evora;Mitra,,,Portugal,38.531,-8.011,220,2014-,,University of Évora,,,,G;B;D
280 | Badajoz,,,Spain,38.886028,-7.009250,190,2008-,,University of Extremadura,,,,G;B;D
281 | Varennes,,Quebec,Canada,45.62650,-73.38203,22,1995-,,Natural Resources Canada,Complete station upgrade in 2017. Prior to 2017 station was rather unreliable and maintenance was less rigorous. Spectral radiation measurements using Spectrafy sensors are also available.,,Upon request,G;B;D
282 | Shagaya,,,Kuwait,29.2099,47.0603,241,2012-?,,KISR,,,,G;B;D;RSI
283 | Kabed,,,Kuwait,29.173152,47.728054,76,2012-?,,KISR,,,,G;B;D;RSI
284 | Mutribah,,,Kuwait,29.90,47.28,,2012-?,,KISR,Location is approximate,,,G;RSI
285 | Sabryia,,,Kuwait,29.67,47.93,,2012-?,,KISR,Location is approximate,,,G;RSI
286 | Gudair,,,Kuwait,28.88,47.71,,2012-?,,KISR,Location is approximate,,,G;RSI
287 | Arctic Space Centre Sodankylä Tähtelä,,,Finland,67.36664,26.628253,195,1998-,,Finnish Meteorological Institute (FMI),Data is likely of poor quality. They can be downloaded from: https://en.ilmatieteenlaitos.fi/observation-stations,https://litdb.fmi.fi/soundingst_radiation.php,Freely,G;B;D;IR;UV
288 | Odeillo,,,France,42.4942,2.0295,1530,1996-?,,PROMES,Altitude is approximate,,,G;B;D
289 | Pozo Almonte,PALM,,Chile,-20.26,-69.78,1024,2008-2021,,Ministry of Energy of Chile,,https://solar.minenergia.cl/mediciones,Freely,G;Ds
290 | Crucero II,Crucero2,,Chile,-22.27,-69.57,1183,2012-2022,,Ministry of Energy of Chile,,https://solar.minenergia.cl/mediciones,Freely,G;B;D
291 | Aeropuerto Copiapo,ADDA,,Chile,-27.26,-70.78,210,2013-2014,,Ministry of Energy of Chile,,https://solar.minenergia.cl/mediciones,Freely,G;Ds
292 | Inca de Oro,IDEO,,Chile,-26.75,-69.91,1541,2010-2021,,Ministry of Energy of Chile,,https://solar.minenergia.cl/mediciones,Freely,G;Ds
293 | Pampa Camarones,CAMA,,Chile,-18.86,-70.22,795,2010-2017,,Ministry of Energy of Chile,,https://solar.minenergia.cl/mediciones,Freely,G;Ds
294 | San Pedro de Atacama,SPED,,Chile,-22.98,-68.16,2390,2009-2014,,Ministry of Energy of Chile,,https://solar.minenergia.cl/mediciones,Freely,G;Ds
295 | Aerodromo Salvador,SALV,,Chile,-26.31,-69.75,1617,2010-2013,,Ministry of Energy of Chile,,https://solar.minenergia.cl/mediciones,Freely,G;Ds
296 | Puerto Angamos,PANG,,Chile,-23.07,-70.39,10,2010-2017,,Ministry of Energy of Chile,,https://solar.minenergia.cl/mediciones,Freely,G;Ds
297 | Cerro Calan,CCALAN,,Chile,-33.40,-70.54,850,2013-2022,,Ministry of Energy of Chile,,https://solar.minenergia.cl/mediciones,Freely,G;Ds
298 | Armazones,ARMA,,Chile,-24.63,-70.24,2581,2010-2014,,Ministry of Energy of Chile,,https://solar.minenergia.cl/mediciones,Freely,G;Ds
299 | Crucero,CRUC,,Chile,-22.27,-69.57,1176,2009-2014,,Ministry of Energy of Chile,,https://solar.minenergia.cl/mediciones,Freely,G;Ds
300 | Salar (Chuquicamata),SLAR,,Chile,-22.34,-68.88,2407,2010-2013,,Ministry of Energy of Chile,,https://solar.minenergia.cl/mediciones,Freely,G;Ds
301 | Arica,,,Chile,-18.47,-70.31,,2011-?,FONDEF,,,,,RSP
302 | Pozo Almonte,,,Chile,-20.25,-69.78,,2012-?,FONDEF,,,,,RSP
303 | Patache,,,Chile,-20.80,-70.19,,2013-?,FONDEF,,,,,RSP
304 | Sur Viejo,,,Chile,-20.95,-69.54,,2011-?,FONDEF,,,,,RSP
305 | Crucero,,,Chile,-22.27,-69.56,,2012-?,FONDEF,,,,,RSP
306 | Coya Sur,,,Chile,-22.39,-69.62,,2011-?,FONDEF,,,,,RSP
307 | San Pedro,,,Chile,-22.90,-68.19,,2010-2011,FONDEF,,,,,G;B;D
308 | El Tesoro,,,Chile,-22.93,-69.07,,2009-?,FONDEF,,,,,RSP
309 | Diego de Almagro,,,Chile,-26.38,-70.04,,2011-?,FONDEF,,,,,RSP
310 | Santiago,,,Chile,-33.45,-70.65,,2010-?,FONDEF;WMO RRC,,,,,G;B;D
311 | Curicó,,,Chile,-34.97,-71.25,,2012-?,FONDEF,,,,,G;B;D
312 | Talca,,,Chile,-35.42,-71.64,,2012-?,FONDEF,,,,,G;B;D
313 | Marimaura,,,Chile,-35.84,-71.61,,2012-?,FONDEF,,,,,RSP
314 | Nevada Regional Test Center,RTC-NV,Nevada,USA,36.0277,-114.9195,701,2014-,DOE RTC,US DOE,,https://rtc.sandia.gov/about-the-us-doe-regional-test-centers/rtc-fact-sheets/,Not available,G;B;D
315 | New Mexico Regional Test Center,RTC-NM,New Mexico,USA,35.0542,-106.5385,1659,2014-,DOE RTC,US DOE,,https://rtc.sandia.gov/about-the-us-doe-regional-test-centers/rtc-fact-sheets/,Not available,G;B;D
316 | Florida Regional Test Center,RTC-FL,Florida,USA,28.40509,-80.7709,10,2014-,DOE RTC,US DOE,,https://rtc.sandia.gov/about-the-us-doe-regional-test-centers/rtc-fact-sheets/,Not available,G;B;D
317 | Vermont Regional Test Center,RTC-VT,Vermont,USA,44.4665,-73.1024,107,2014-2020,DOE RTC,US DOE,,https://rtc.sandia.gov/about-the-us-doe-regional-test-centers/rtc-fact-sheets/,Not available,G;B;D
318 | Colorado Regional Test Center,RTC-CO,Colorado,USA,39.7407,-105.1771,1783,2014-,DOE RTC,US DOE,,https://rtc.sandia.gov/about-the-us-doe-regional-test-centers/rtc-fact-sheets/,Not available,G;B;D
319 | Michigan Regional Test Center,RTC-MI,Michigan,USA,47.1699,-88.5061,336,2021-,DOE RTC,US DOE,,https://rtc.sandia.gov/about-the-us-doe-regional-test-centers/rtc-fact-sheets/,Not available,G;B;D
320 | Barrani,,,Egypt,31.60,26.00,23.7,2004-?,,Egyptian Meteorological Authority (EMA),Data from 2004-2010 can be downloaded from http://www.pangaea.de/ using the unique identifier doi:10.1594/PANGAEA.848804,,Freely,G;Ds
321 | Matruh,,,Egypt,31.33,27.22,25,2004-?,,Egyptian Meteorological Authority (EMA),Data from 2004-2010 can be downloaded from http://www.pangaea.de/ using the unique identifier doi:10.1594/PANGAEA.848804,,Freely,G;Ds
322 | El-Arish,,,Egypt,31.08,33.82,27.2,2004-?,,Egyptian Meteorological Authority (EMA),Data from 2004-2010 can be downloaded from http://www.pangaea.de/ using the unique identifier doi:10.1594/PANGAEA.848804,,Freely,G;Ds
323 | Cairo,,,Egypt,30.08,31.28,34.4,2004-?,WMO RRC,Egyptian Meteorological Authority (EMA),Data from 2004-2010 can be downloaded from http://www.pangaea.de/ using the unique identifier doi:10.1594/PANGAEA.848804,,Freely,G;B;D
324 | El-Kharga,,,Egypt,25.45,30.53,77.8,2004-?,,Egyptian Meteorological Authority (EMA),Data from 2004-2010 can be downloaded from http://www.pangaea.de/ using the unique identifier doi:10.1594/PANGAEA.848804,,Freely,G;Ds
325 | El-Farafra,,,Egypt,27.06,27.99,82.2,2004-?,,Egyptian Meteorological Authority (EMA),Data from 2004-2010 can be downloaded from http://www.pangaea.de/ using the unique identifier doi:10.1594/PANGAEA.848804,,Freely,G;B;D
326 | Asyut,,,Egypt,27.2,31.17,52,2004-?,,Egyptian Meteorological Authority (EMA),Data from 2004-2010 can be downloaded from http://www.pangaea.de/ using the unique identifier doi:10.1594/PANGAEA.848804,,Freely,G;Ds
327 | Aswan,,,Egypt,23.97,32.78,192.5,2004-?,,Egyptian Meteorological Authority (EMA),Data from 2004-2010 can be downloaded from http://www.pangaea.de/ using the unique identifier doi:10.1594/PANGAEA.848804,,Freely,G;B;D
328 | La Quiaca,LQ,,Argentina,-22.10,-65.60,3468,2005-,SMN,Argentine Servicio Meteorologico Nacional,Diffuse measured with shadowring,,Upon request,G;Ds
329 | Pilar,PIL,,Argentina,-31.67,-63.88,335,2013-,SMN,Argentine Servicio Meteorologico Nacional,Diffuse measured with shadowring,,Upon request,G;Ds
330 | Buenos Aires,BSAS,,Argentina,-34.5901,-58.4837,30,2013-,SMN;WMO RRC,Argentine Servicio Meteorologico Nacional,Diffuse measured with shadowring,,Upon request,G;Ds
331 | Pto. San Julián,PSJu,,Argentina,-49.31,-67.80,50,2013-,SMN,Argentine Servicio Meteorologico Nacional,Diffuse measured with shadowring,,Upon request,G;Ds
332 | Ushuaia,USH,,Argentina,-54.85,-68.31,11,2013-,SMN;WMO GAW,Argentine Servicio Meteorologico Nacional,Diffuse measured with shadowband,,Upon request,G;Ds
333 | Broome Airport,,Western Australia,Australia,-17.9475,122.2352,7.42,1996-?,BOM,BOM,,http://www.bom.gov.au/climate/data/oneminsolar/about-IDCJAC0022.shtml,Freely,G;B;D;IR
334 | Learmonth Airport,,Western Australia,Australia,-22.2406,114.0967,5,1996-2006,BOM,BOM,,http://www.bom.gov.au/climate/data/oneminsolar/about-IDCJAC0022.shtml,Freely,G;B;D;IR
335 | Geraldton Airport,,Western Australia,Australia,-28.7953,114.6975,33,1996-2006,BOM,BOM,,http://www.bom.gov.au/climate/data/oneminsolar/about-IDCJAC0022.shtml,Freely,G;B;D;IR
336 | Kalgoorlie-Boulder Airport,,Western Australia,Australia,-30.7847,121.4533,365.3,1998-2006,BOM,BOM,,http://www.bom.gov.au/climate/data/oneminsolar/about-IDCJAC0022.shtml,Freely,G;B;D;IR
337 | Tennant Creek Airport,,Northern Territory,Australia,-19.6423,134.1833,375.7,1996-2006,BOM,BOM,,http://www.bom.gov.au/climate/data/oneminsolar/about-IDCJAC0022.shtml,Freely,G;B;D;IR
338 | Adelaide Airport,,South Australia,Australia,-34.9524,138.5196,2,2003-2020,BOM,BOM,,http://www.bom.gov.au/climate/data/oneminsolar/about-IDCJAC0022.shtml,Freely,G;B;D;IR
339 | Mount Gambier Aero,,South Australia,Australia,-37.7473,140.7739,63,1998-2006,BOM,BOM,,http://www.bom.gov.au/climate/data/oneminsolar/about-IDCJAC0022.shtml,Freely,G;B;D;IR
340 | Mildura Airport,,New South Wales,Australia,-34.2358,142.0867,50,1996-2006,BOM,BOM,,http://www.bom.gov.au/climate/data/oneminsolar/about-IDCJAC0022.shtml,Freely,G;B;D;IR
341 | Longreach Aero,,Quennsland,Australia,-23.4397,144.2828,192.2,2012-2015,BOM,BOM,,http://www.bom.gov.au/climate/data/oneminsolar/about-IDCJAC0022.shtml,Freely,G;B;D;IR
342 | Melbourne Airport,,Victoria,Australia,-37.6654,144.8322,113.4,1999-?,BOM;WMO RRC,BOM,,http://www.bom.gov.au/climate/data/oneminsolar/about-IDCJAC0022.shtml,Freely,G;B;D;IR
343 | Cape Grim,,Tasmania,Australia,-40.6817,144.6892,95,1997-?,BOM,BOM,,http://www.bom.gov.au/climate/data/oneminsolar/about-IDCJAC0022.shtml,Freely,G;B;D;IR
344 | Cairns Aero,,Queensland,Australia,-16.8736,145.7458,2.22,1997-2004,BOM,BOM,,http://www.bom.gov.au/climate/data/oneminsolar/about-IDCJAC0022.shtml,Freely,G;B;D;IR
345 | Wagga Wagga,,New South Wales,Australia,-35.1583,147.4575,212,1997-2020,BOM,BOM,,http://www.bom.gov.au/climate/data/oneminsolar/about-IDCJAC0022.shtml,Freely,G;B;D;IR
346 | Rockhampton Aero,,Queensland,Australia,-23.3753,150.4775,10.4,1996-?,BOM,BOM,,http://www.bom.gov.au/climate/data/oneminsolar/about-IDCJAC0022.shtml,Freely,G;B;D;IR
347 | Townsville,,Queensland,Australia,-19.2483,146.7661,4.34,2012-2020,BOM,BOM,,http://www.bom.gov.au/climate/data/oneminsolar/about-IDCJAC0022.shtml,Freely,G;B;D;IR
348 | Lagos,,,Nigeria,6.60,3.43,10,1993-?,WMO GAW;WMO RRC,NIMET,DHI is possibly measured with a shadownband.,,,G;Ds;UV
349 | Oshogbo,,,Nigeria,7.78,4.48,304.5,1993-?,WMO GAW;WMO RRC,NIMET,DHI is possibly measured with a shadownband.,,,G;Ds;UV
350 | Chilakapalem,,,India,18.27,83.809,87,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
351 | Rajahmundry,,,India,17.065,81.867,93,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
352 | Kadiri,,,India,14.11,78.147,531,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
353 | Tirupati,,,India,13.627,79.397,190,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
354 | Guntur,,,India,16.374,80.526,31,2015-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
355 | Medak,,,India,18.041,78.266,467,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
356 | Bilaspur,,,India,22.075,82.184,267,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
357 | Charanka,,,India,23.893,71.212,12,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
358 | Bhogat,,,India,22.029,69.261,14,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
359 | Jambua,,,India,22.216,73.19,29,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
360 | Keshod,,,India,21.275,70.212,61,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
361 | Vartej,,,India,21.741,72.071,30,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
362 | Idar,,,India,23.83,73.003,221,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
363 | Kotada Pitha,,,India,21.948,71.21,207,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
364 | Chandrodi,,,India,23.334,70.637,74,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
365 | Tharad,,,India,24.377,71.63,67,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
366 | Sadodar,,,India,22.051,70.235,192,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
367 | Leh,,,India,34.14,77.481,3252,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
368 | Haveri,,,India,14.788,75.345,567,2015-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
369 | Gokak,,,India,16.288,74.835,575,2015-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
370 | Kalaburagi(Gulbarga),,,India,17.32,76.855,478,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
371 | Vijayapura(Bijapur),,,India,16.847,75.752,567,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
372 | Chitradurga,,,India,14.216,76.428,760,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
373 | Gwalior,,,India,26.223,78.19,210,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
374 | Rajgarh,,,India,23.987,76.727,412,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
375 | Sitamau,,,India,23.984,75.331,469,2015-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
376 | Karad,,,India,17.31,74.186,599,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
377 | Shegaon,,,India,20.78,76.679,288,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
378 | Pandharpur,,,India,17.656,75.369,480,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
379 | Amarsagar,,,India,26.942,70.874,273,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
380 | Kota,,,India,25.141,75.81,304,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
381 | Bodana,,,India,27.606,72.109,168,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
382 | Mathania,,,India,26.516,72.985,271,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
383 | Sirohi,,,India,24.517,72.786,362,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
384 | Abu Road,,,India,24.519,72.783,276,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
385 | Phalodi,,,India,27.118,72.345,242,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
386 | Balotra,,,India,25.805,72.237,126,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
387 | Ratangarh,,,India,28.082,74.6,312,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
388 | Ajmer,,,India,26.4,74.661,501,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
389 | Jodhpur,,,India,26.271,73.035,233,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
390 | Pokhran,,,India,26.916,71.928,293,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
391 | Bagora,,,India,25.214,72.018,91,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
392 | Chennai,,,India,12.956,80.217,1,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
393 | Karaikudi,,,India,10.086,78.796,101,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
394 | Ramanathapuram,,,India,9.369,78.77,10,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
395 | Kayathar,,,India,8.945,77.723,102,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
396 | Erode,,,India,11.27,77.604,272,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
397 | Trichy,,,India,10.76,78.813,87,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
398 | Vellore,,,India,12.974,79.159,231,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
399 | Puducherry,,,India,11.96,79.811,36,2011-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
400 | Port Blair,,,India,11.614,92.716,65,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
401 | Kadapa,,,India,14.52,78.785,145,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
402 | Mahbubnagar,,,India,16.698,77.94,461,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
403 | Warangal,,,India,18.075,79.705,278,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
404 | Itanagar,,,India,27.1,93.62,333,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
405 | Pasighat,,,India,28.047,95.334,152,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
406 | Silchar,,,India,24.759,92.791,45,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
407 | Tezpur,,,India,26.699,92.833,83,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
408 | Aurangabad,,,India,24.837,84.284,104,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
409 | Muzaffarpur,,,India,26.141,85.367,49,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
410 | Purnea,,,India,25.798,87.504,30,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
411 | Chandigarh,,,India,30.748,76.756,346,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
412 | Ambikapur,,,India,23.149,83.149,603,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
413 | Silvassa,,,India,20.215,73.037,61,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
414 | Panaji,,,India,15.412,73.977,114,2015-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
415 | Surat,,,India,21.165,74.783,34,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
416 | Murthal,,,India,29.028,77.057,213,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
417 | Solan,,,India,30.853,77.17,1231,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
418 | Palampur,,,India,32.098,76.548,1268,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
419 | Kargil,,,India,34.554,76.139,2856,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
420 | Katra,,,India,32.94,74.953,670,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
421 | Deoghar,,,India,24.513,86.656,262,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
422 | Jamshedpur,,,India,22.777,86.144,182,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
423 | Ranchi,,,India,23.443,85.255,738,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
424 | Mysuru (Mysore),,,India,12.371,76.584,799,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
425 | Alappuzha,,,India,9.46,76.331,19,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
426 | Kannur,,,India,11.985,75.385,70,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
427 | Indore,,,India,22.689,75.874,565,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
428 | Jabalpur,,,India,23.201,79.912,385,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
429 | Khandwa,,,India,21.815,76.369,308,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
430 | Rewa,,,India,24.555,81.313,315,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
431 | Bhandara,,,India,21.157,79.578,274,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
432 | Jalgaon,,,India,21.002,75.548,254,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
433 | Shahada,,,India,21.571,74.484,117,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
434 | Nashik,,,India,19.966,73.661,688,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
435 | Osmanabad,,,India,18.145,76.061,70,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
436 | Wardha,,,India,20.738,78.592,297,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
437 | Imphal,,,India,24.802,93.905,762,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
438 | Tura,,,India,25.525,90.21,397,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
439 | Aizawl,,,India,23.743,92.719,1188,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
440 | Kohima,,,India,25.705,94.056,1340,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
441 | Bargarh,,,India,21.32,83.525,213,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
442 | Bhubaneshwar,,,India,20.349,85.89,20,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
443 | Similiguda,,,India,18.683,82.833,920,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
444 | Rourkela,,,India,22.253,84.901,220,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
445 | Talwandi Sabo,,,India,29.961,75.122,341,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
446 | Kapurthala,,,India,31.356,75.444,240,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
447 | Jaipur,,,India,26.809,75.862,403,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
448 | Gangtok,,,India,27.373,88.6,1920,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
449 | Agartala,,,India,23.839,91.423,71,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
450 | Banda,,,India,25.451,80.345,133,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
451 | Gorakhpur,,,India,26.73,83.434,71,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
452 | Kanpur,,,India,26.493,80.272,130,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
453 | Moradabad,,,India,28.872,78.758,200,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
454 | Sultanpur,,,India,26.288,82.082,90,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
455 | Dehradun,,,India,30.416,77.967,844,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
456 | Nainital,,,India,29.357,79.551,1323,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
457 | Murshidabad,,,India,24.10, 88.54,40,2013-,SRRA,National Institute of wind energy,Coordinates were updated as they were incorrect on the website.,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
458 | Jalpaiguri,,,India,26.546,88.703,87,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
459 | Aurangabad,,,India,19.868,75.323,576,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
460 | Nanded,,,India,19.111,77.293,392,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
461 | Thane,,,India,19.214,73.183,40,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
462 | Pune (Manchar),,,India,18.988,73.963,685,2013-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
463 | Washim,,,India,20.101,77.137,546,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
464 | Latur,,,India,18.4,76.56,638,2014-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
465 | Nagpur,,,India,21.12,79.051,303,2016-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
466 | Chandrapur,,,India,19.921,79.319,208,2018-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
467 | Palakkad,,,India,10.613,76.716,92,2018-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
468 | Ramakkalmedu,,,India,9.816,77.241,1045,2018-,SRRA,National Institute of wind energy,,https://niwe.res.in/department_srra_stations_phase1.php,,G;B;D
469 | Al Uyaynah Research Station,,,Saudi Arabia,24.90689,46.39721,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,G;B;D
470 | King Abdullah University of Science and Technology,,,Saudi Arabia,22.3065,39.10701,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,G;B;D
471 | University of Dammam,,,Saudi Arabia,26.39519,50.18898,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,G;B;D
472 | King Abdulaziz University Main Campus,,,Saudi Arabia,21.49604,39.24492,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,G;B;D
473 | Qassim University,,,Saudi Arabia,26.34668,43.76645,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,G;B;D
474 | Jazan University,,,Saudi Arabia,16.96035,42.54586,,2014-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,G;B;D
475 | King Faisal University,,,Saudi Arabia,25.34616,49.5956,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,G;B;D
476 | Taif University,,,Saudi Arabia,21.43278,40.49173,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,G;B;D
477 | Wadi Addawasir College of Technology,,,Saudi Arabia,20.43008,44.89433,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,G;B;D
478 | Tabuk University,,,Saudi Arabia,28.38287,36.48396,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,G;B;D
479 | Al Wajh Technical Institute,,,Saudi Arabia,26.2561,36.443,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,G;B;D
480 | Royal Commission of Yanbu,,,Saudi Arabia,24.14434,37.94569,,2014-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,G;B;D
481 | Arar Technical Institute,,,Saudi Arabia,30.918154,41.079801,,2014-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,G;B;D
482 | Al Jouf Technical Institute,,,Saudi Arabia,29.79383,40.04886,,2014-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,G;B;D
483 | Rania Technical Institute,,,Saudi Arabia,21.21499,42.84852,,2014-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,G;B;D
484 | Al Baha University,,,Saudi Arabia,20.17933,41.63561,,2014-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,G;B;D
485 | Saline Water Conversion Corporation (Al Khafji),,,Saudi Arabia,28.50671,48.45504,,2014-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,G;B;D
486 | Najran University,,,Saudi Arabia,17.63228,44.53735,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,G;B;D
487 | KACARE City Site Tier 2 Station,,,Saudi Arabia,24.52958,46.43635,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,RSR
488 | KACARE Building Olaya St,,,Saudi Arabia,24.70814,46.67896,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,RSR
489 | King Fahd University of Petroleum & Minerals,,,Saudi Arabia,26.30355,50.14412,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,RSR
490 | King Abdulaziz University East Hada Alsham Campus,,,Saudi Arabia,21.80117,39.72854,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,RSR
491 | Al Aflaaj Technical Institute,,,Saudi Arabia,22.27948,46.73319,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,RSR
492 | Afif Technical Institute,,,Saudi Arabia,23.92118,42.94815,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,RSR
493 | Al Dawadmi College of Technology,,,Saudi Arabia,24.5569,44.47411,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,RSR
494 | Shaqra University,,,Saudi Arabia,25.17279,45.14198,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,RSR
495 | Majmaah University,,,Saudi Arabia,25.85891,45.41889,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,RSR
496 | Salmanbin Abdulaziz University,,,Saudi Arabia,24.14717,47.26999,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,RSR
497 | Timaa Technical Institute,,,Saudi Arabia,27.61727,38.5252,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,RSR
498 | Saline Water Conversion Corporation (Hagl),,,Saudi Arabia,29.28997,34.93002,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,RSR
499 | Duba Technical Institute,,,Saudi Arabia,27.34103,35.72295,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,RSR
500 | Al Hanakiyah Technical Institute,,,Saudi Arabia,24.85577,40.536,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,RSR
501 | Saline Water Conversion Corporation (Umluj),,,Saudi Arabia,25.00411,37.27382,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,RSR
502 | Saline Water Desalination Research Institute,,,Saudi Arabia,26.9042,49.76274,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,RSR
503 | Sharurah Technical Institute,,,Saudi Arabia,17.47586,47.08618,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,RSR
504 | Al Qunfudhah Technical Institute,,,Saudi Arabia,19.15197,41.08111,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,RSR
505 | King Abdulaziz University (Osfan Campus),,,Saudi Arabia,21.89252,39.2539,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,RSR
506 | Hafar Al Batin Technical College,,,Saudi Arabia,28.33202,45.95708,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,RSR
507 | Tuhamat Qahtan Technical Institute,,,Saudi Arabia,17.7749,43.17555,,2013-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,RSR
508 | Saline Water Conversion Corporation (Farasan),,,Saudi Arabia,16.692097,42.098767,,2014-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,RSR
509 | King Saud University,,,Saudi Arabia,24.72359,46.61639,,2014-?,,KACARE,,https://rratlas.energy.gov.sa/RRMMDataPortal/MapTool,Freely,RSR
510 | Thiruvananthapuram,TRV,,India,8.48,76.95,60,1986-?,,India Meteorological Department (IMD),DHI is probably measured with shadowring,,,G;B;Ds
511 | Bangalore,BNG,,India,12.96,77.58,921,1986-?,,India Meteorological Department (IMD),DHI is probably measured with shadowring,,,G;B;Ds
512 | Hyderabad,HYD,,India,17.45,78.46,530,1986-?,,India Meteorological Department (IMD),DHI is probably measured with shadowring,,,G;B;Ds
513 | Pune,PNE,,India,18.53,73.85,555,1986-?,WMO RRC,India Meteorological Department (IMD),,,,G;B;D
514 | Bhopal,BHP,,India,23.28,77.35,523,1986-?,,India Meteorological Department (IMD),DHI is probably measured with shadowring,,,G;B;Ds
515 | Ranchi,RNC,,India,23.31,85.31,652,1986-?,,India Meteorological Department (IMD),DHI is probably measured with shadowring,,,G;B;Ds
516 | Varanasi,VNS,,India,25.30,83.01,90,1986-?,,India Meteorological Department (IMD),DHI is probably measured with shadowring,,,G;B;Ds
517 | Patna,PTN,,India,25.60,85.16,51,1986-?,,India Meteorological Department (IMD),DHI is probably measured with shadowring,,,G;B;Ds
518 | Jaipur,JPR,,India,26.81,75.80,390,1986-?,,India Meteorological Department (IMD),DHI is probably measured with shadowring,,,G;B;Ds
519 | New Delhi,NDL,,India,28.48,77.13,273,1986-?,,India Meteorological Department (IMD),DHI is probably measured with shadowring,,,G;B;Ds
520 | Srinagar,SRN,,India,34.08,74.83,1585,1986-?,,India Meteorological Department (IMD),DHI is probably measured with shadowring,,,G;B;Ds
521 | Toronto,TOT,Ontario,Canada,43.7833328247,-79.4666671753,198,2014-,WMO GAW;WMO RRC,Environment Canada,,https://gawsis.meteoswiss.ch/GAWSIS/index.html#/search/station/stationReportDetails/0-20008-0-TOT,,G;RSI
522 | Peshawar,,,Pakistan,34.0017,71.4854,370,2015-,,University of Engineering and Technology Peshawar,,,,G;RSI
523 | Uccle,,,Belgium,50.798,4.359,101,2014-,WMO RRC,Royal Meteorological Institute of Belgium (RMI),Probably got the tracker in 2014.,,,G;B;D
524 | Mohe,,,China,52.97,122.52,438.5,2013-,CBSRN,China Meteorological Administration,,https://www.re3data.org/repository/r3d100011141,Freely,G;B;D;IR;UV
525 | Xilinhot,,,China,44.13,116.33,1107,2007-,CBSRN,China Meteorological Administration,,https://www.re3data.org/repository/r3d100011141,Freely,G;B;D;IR;UV
526 | Yanqi,,,China,42.05,86.61,1056.5,2013-,CBSRN,China Meteorological Administration,,https://www.re3data.org/repository/r3d100011141,Freely,G;B;D;IR;UV
527 | Shangdianzi,,,China,40.65,117.12,293.3,2013-,CBSRN;WMO GAW,China Meteorological Administration,,https://www.re3data.org/repository/r3d100011141,Freely,G;B;D;IR;UV
528 | Xuchang,,,China,34.07,113.93,67.2,2013-,CBSRN,China Meteorological Administration,,https://www.re3data.org/repository/r3d100011141,Freely,G;B;D;IR;UV
529 | Wenjiang,,,China,30.75,103.86,547.7,2013-,CBSRN,China Meteorological Administration,,https://www.re3data.org/repository/r3d100011141,Freely,G;B;D;IR;UV
530 | Dali,,,China,25.71,100.18,1990.5,2013-,CBSRN,China Meteorological Administration,,https://www.re3data.org/repository/r3d100011141,Freely,G;B;D;IR;UV
531 | Semi-Arid Climate & Environment Observatory of Lanzhou University,SACOL,,China,35.94600,104.13708,1965.8,2005-,,Lanzhou University,,http://climate.lzu.edu.cn/info/1046/1080.htm,,G;B;D;RSR;UV
532 | Wuhan University,WHU,,China,30.533,114.35,30,2006-?,,Wuhan University,,,,G;B;D;PAR
533 | Mt. Waliguan,,,China,36.28749,100.8963,3810,2011-,WMO GAW,,,https://gawsis.meteoswiss.ch/GAWSIS/#/search/station/stationReportDetails/0-20008-0-WLG,,G;B;D;IR
534 | Longfengshan,,,China,44.7299,127.5999,331,2009-,WMO GAW,,,https://gawsis.meteoswiss.ch/GAWSIS/#/search/station/stationReportDetails/0-20008-0-LFS,,G;B;D
535 | Linan,,,China,30.3000,119.7300,138,2005-,WMO GAW,China Meteorological Administration,,,,G;B;D;IR
536 | Trondheim,,,Norway,63.4171,10.4047,89,2022-,,Sintef,10 second data,https://www.sintef.no/projectweb/solarlab/sintef-node/pv-metering/,Not available,G;B;D
537 | Sanya,,,China,18.23,109.52,5.5,1993-,,China Meteorological Administration,Diffuse is measured with shadowring. Data can be downloaded from http://dcpzx.cma.cn/#/data-collect,,Freely,G;B;Ds
538 | Guangzhou,,,China,23.17,113.33,6.6,1993-,,China Meteorological Administration,Diffuse is measured with shadowring. Data can be downloaded from http://dcpzx.cma.cn/#/data-collect,,Freely,G;B;Ds
539 | Kunming,,,China,25.02,102.68,1891.4,1993-,,China Meteorological Administration,Diffuse is measured with shadowring. Data can be downloaded from http://dcpzx.cma.cn/#/data-collect,,Freely,G;B;Ds
540 | Wuhan,,,China,30.62,114.13,23.3,1993-,,China Meteorological Administration,Diffuse is measured with shadowring. Data can be downloaded from http://dcpzx.cma.cn/#/data-collect,,Freely,G;B;Ds
541 | Shanghai,,,China,31.40,121.48,3.5,1993-,,China Meteorological Administration,Diffuse is measured with shadowring. Data can be downloaded from http://dcpzx.cma.cn/#/data-collect,,Freely,G;B;Ds
542 | Chengdu,,,China,30.67,104.02,506.1,1993-,,China Meteorological Administration,Diffuse is measured with shadowring. Data can be downloaded from http://dcpzx.cma.cn/#/data-collect,,Freely,G;B;Ds
543 | Zhengzhou,,,China,34.72,113.65,110.4,1993-,,China Meteorological Administration,Diffuse is measured with shadowring. Data can be downloaded from http://dcpzx.cma.cn/#/data-collect,,Freely,G;B;Ds
544 | Beijing,,,China,39.80,116.47,54,1993-,,China Meteorological Administration,Diffuse is measured with shadowring. Data can be downloaded from http://dcpzx.cma.cn/#/data-collect,,Freely,G;B;Ds
545 | Haerbin,,,China,45.75,126.77,142.3,1993-,,China Meteorological Administration,Diffuse is measured with shadowring. Data can be downloaded from http://dcpzx.cma.cn/#/data-collect,,Freely,G;B;Ds
546 | Shenyang,,,China,41.73,123.45,42.8,1993-,,China Meteorological Administration,Diffuse is measured with shadowring. Data can be downloaded from http://dcpzx.cma.cn/#/data-collect,,Freely,G;B;Ds
547 | Ejinaqi,,,China,41.95,101.07,940.5,1993-,,China Meteorological Administration,Diffuse is measured with shadowring. Data can be downloaded from http://dcpzx.cma.cn/#/data-collect,,Freely,G;B;Ds
548 | Wulumuqi,,,China,43.78,87.65,917.9,1993-,,China Meteorological Administration,Diffuse is measured with shadowring. Data can be downloaded from http://dcpzx.cma.cn/#/data-collect,,Freely,G;B;Ds
549 | Kashi,,,China,39.47,75.98,1288.7,1993-,,China Meteorological Administration,Diffuse is measured with shadowring. Data can be downloaded from http://dcpzx.cma.cn/#/data-collect,,Freely,G;B;Ds
550 | Lanzhou,,,China,36.05,103.88,1517.2,1993-,,China Meteorological Administration,Diffuse is measured with shadowring. Data can be downloaded from http://dcpzx.cma.cn/#/data-collect,,Freely,G;B;Ds
551 | Lasa,,,China,29.67,91.13,3648.7,1993-,,China Meteorological Administration,Diffuse is measured with shadowring. Data can be downloaded from http://dcpzx.cma.cn/#/data-collect,,Freely,G;B;Ds
552 | Geermu,,,China,36.42,94.90,2807.6,1993-,,China Meteorological Administration,Diffuse is measured with shadowring. Data can be downloaded from http://dcpzx.cma.cn/#/data-collect,,Freely,G;B;Ds
553 | Fairbanks,,Alaska,USA,64.8530,-147.8603,138,2018-,,University of Alaska Fairbanks (UAF),Cleaned once a week. Also measures soiling and albedo.,,Upon request,G;B;D
554 | Turku,,,Finland,60.4484,22.2976,60,2019-,,New Energy Research Center (NERC),Located ontop of tall building.,,Upon request,G;B;D
555 | Caceres,,,Spain,39.4722,-6.3394,405,2008-,AEMET,State Meteorological Agency of Spain,,https://www.aemet.es/en/eltiempo/observacion/radiacion/radiacion?datos=mapa,Freely,G;B;D;IR;UV;PAR
556 | Cordoba,,,Spain,37.8444,-4.8506,91,2008-,AEMET,State Meteorological Agency of Spain,,https://www.aemet.es/en/eltiempo/observacion/radiacion/radiacion?datos=mapa,Freely,G;B;D;IR;UV;PAR
557 | Lleida,,,Spain,41.6258,0.5950,192,2008-,AEMET,State Meteorological Agency of Spain,,https://www.aemet.es/en/eltiempo/observacion/radiacion/radiacion?datos=mapa,Freely,G;B;D;IR;UV;PAR
558 | Madrid,,,Spain,40.4528,-3.7242,664,2008-,AEMET,State Meteorological Agency of Spain,,https://www.aemet.es/en/eltiempo/observacion/radiacion/radiacion?datos=mapa,Freely,G;B;D;IR;UV;PAR
559 | Malaga,,,Spain,36.7192,-4.4803,60,2008-,AEMET,State Meteorological Agency of Spain,,https://www.aemet.es/en/eltiempo/observacion/radiacion/radiacion?datos=mapa,Freely,G;B;D;IR;UV;PAR
560 | Murcia,,,Spain,38.0028,-1.1694,62,2008-,AEMET,State Meteorological Agency of Spain,,https://www.aemet.es/en/eltiempo/observacion/radiacion/radiacion?datos=mapa,Freely,G;B;D;IR;UV;PAR
561 | Oviedo,,,Spain,43.3536,-5.8733,336,2008-,AEMET,State Meteorological Agency of Spain,,https://www.aemet.es/en/eltiempo/observacion/radiacion/radiacion?datos=mapa,Freely,G;B;D;IR;UV;PAR
562 | Palma,,,Spain,39.5667,2.7439,4,2008-,AEMET,State Meteorological Agency of Spain,,https://www.aemet.es/en/eltiempo/observacion/radiacion/radiacion?datos=mapa,Freely,G;B;D;IR;UV;PAR
563 | San Bartolome Tirajana,,,Canary Islands,27.7581,-15.5756,50,2008-,AEMET,State Meteorological Agency of Spain,,https://www.aemet.es/en/eltiempo/observacion/radiacion/radiacion?datos=mapa,Freely,G;B;D;IR;UV;PAR
564 | San Sebastian,,,Spain,43.3075,-2.0394,252,2008-,AEMET,State Meteorological Agency of Spain,,https://www.aemet.es/en/eltiempo/observacion/radiacion/radiacion?datos=mapa,Freely,G;B;D;IR;UV;PAR
565 | Soria,,,Spain,41.7667,-2.4667,1082,2008-,AEMET,State Meteorological Agency of Spain,,https://www.aemet.es/en/eltiempo/observacion/radiacion/radiacion?datos=mapa,Freely,G;B;D;IR;UV;PAR
566 | A Coruna,,,Spain,43.3672,-8.4194,58,2008-,AEMET,State Meteorological Agency of Spain,,https://www.aemet.es/en/eltiempo/observacion/radiacion/radiacion?datos=mapa,Freely,G;B;D;IR;UV;PAR
567 | Valladolid,,,Spain,41.6500,-4.7667,735,2008-,AEMET,State Meteorological Agency of Spain,,https://www.aemet.es/en/eltiempo/observacion/radiacion/radiacion?datos=mapa,Freely,G;B;D;IR;UV;PAR
568 | Juan Carlos I,,,Antarctica,-62.66325,-60.38959,12,2003-,AEMET,State Meteorological Agency of Spain,,https://antartida.aemet.es/index.php?pag=tiemporeal,Freely,G;B;D;IR;UV;PAR
569 | Gantner,OTF4_USA,Arizona,USA,33.4239,-111.9098,357,2010-,,Gantner Instruments,Contact Juergen Sutterlueti (j.sutterlueti@gantner-instrumnents) for more info data sharing and services,,Upon request,G;B;D
570 | Summit Station,,,Greenland,72.579583,-38.459186,3216,?,,Battelle Arctic Research Operations (ARO),Frequent issues with tracker malfunction resulting in many outages.,https://geo-summit.org/instruments,Upon request,G;B;D
571 | Bukit Kototabang,BKT,,Indonesia,-0.20194,100.31805,864,2015-?,WMO GAW,BMKG,,https://gawsis.meteoswiss.ch/GAWSIS/#/search/station/stationReportDetails/0-20008-0-BKT,,G;B;D
572 | Freiburg,,,Germany,48.0114,7.8370,253,2018-?,,Fraunhofer,The coordinates were derived from https://www.sciencedirect.com/science/article/pii/S0038092X24000136,,,G;B;D
573 | Aggeneys,,,South Africa,-29.2945,18.8155,789,2006-?,,ESKOM,Data was reported to be of low quality due to a lack of regular cleaning.,,,G;B;D
574 | Helios,,,South Africa,-30.5011,19.5607,905,2006-?,,ESKOM,Data was reported to be of low quality due to a lack of regular cleaning.,,,G;B;D
575 | Carouge (Geneva),,,Switzerland,46.176,6.139,432,2010-?,,University of Geneva,,,,G;B
576 | Bernex (Geneva),,,Switzerland,46.172,6.067,473,2010-?,,University of Geneva,,,,G;SPN1
577 | Edinburg,UTRGV SRL,Texas,USA,26.3059,-98.1716,45,2011-,,NREL,,https://midcdmz.nrel.gov/apps/sitehome.pl?site=UTPASRL,Freely,G;B;D;IR
578 | Lafayette,UL,Louisiana,USA,30.2050,-92.3979,5,2018-,,NREL,,https://midcdmz.nrel.gov/apps/sitehome.pl?site=ULL,Freely,G;B;D
579 | University of Florida,UF,Florida,USA,29.626968,-82.360851,27.4,2022-,,NREL,,https://midcdmz.nrel.gov/apps/sitehome.pl?site=UFL,Freely,G;B;D
580 | University of Nevada,UNLV,Nevada,USA,36.107,-115.1425,615,2006-,,NREL,,https://midcdmz.nrel.gov/apps/sitehome.pl?site=UNLV,Freely,G;B;D;UV
581 | SOLRMAP University of Arizona,UA OASIS,Arizona,USA,32.22969,-110.95534,786,2010-,,NREL,,https://midcdmz.nrel.gov/apps/sitehome.pl?site=UAT,Freely,G;B;D
582 | Oak Ridge,OAK,Tennessee,USA,35.92996,-84.30952,245,2007-2019,,NREL,,https://midcdmz.nrel.gov/apps/sitehome.pl?site=ORNL,Freely,G;RSR
583 | Adam,,,Oman,22.2072,57.5230,250,2011-?,,OPWP,Instruments were not regularly cleaned which led to inconsistencies in the data collected from the monitoring stations,,,G;B;D
584 | Manah,,,Oman,22.6031,57.6672,345,2011-?,,OPWP,Instruments were not regularly cleaned which led to inconsistencies in the data collected from the monitoring stations,,,G;B;D
585 | Fairbanks,,Alaska,USA,64.86,-147.87,138,1981-1984,SEMRTS,NREL,,https://www.nrel.gov/grid/solar-resource/semrts.html,Freely,G;B;D
586 | Atlanta,,Georgia,USA,33.77,-84.38,327,1980-1981,SEMRTS,NREL,,https://www.nrel.gov/grid/solar-resource/semrts.html,Freely,G;B;D
587 | Albany,,New York,USA,42.70,-73.83,72,1979-1982,SEMRTS,NREL,,https://www.nrel.gov/grid/solar-resource/semrts.html,Freely,G;B;D
588 | San Antonio,,Texas,USA,29.46,-98.49,253,1981-1982,SEMRTS,NREL,,https://www.nrel.gov/grid/solar-resource/semrts.html,Freely,G;B;D
589 | Alamosa,,Colorado,USA,37.48,-105.87,2304,1978-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
590 | Mandalay,,California,USA,34.20,-119.25,6,1976-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
591 | Albuquerque,,New Mexico,USA,35.17,-106.60,1577,1978-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
592 | Moorpark,,California,USA,34.28,-118.90,140,1977-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
593 | Alhambra,,California,USA,34.08,-118.15,143,1978-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
594 | Page,,Arizona,USA,36.92,-111.45,1329,1979-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
595 | Alpine,,Arizona,USA,32.85,-116.10,625,1978-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
596 | Palm Springs,,California,USA,33.78,-116.47,93,1977-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
597 | Arrowhead,,California,USA,34.28,-117.22,1542,1977-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
598 | Pardee,,California,USA,34.45,-118.58,315,1976-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
599 | Barstow,,California,USA,34.88,-117.00,664,1976-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
600 | Parker,,Arizona,USA,34.15,-114.30,126,1979-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
601 | Blythe,,California,USA,33.60,-114.60,81,1976-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
602 | Phoenix,,Arizona,USA,33.57,-113.93,381,1978-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
603 | Boulder City,,Nevada,USA,36.02,-114.77,457,1978-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
604 | Pueblo,,Colorado,USA,38.27,-104.62,1481,1978-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
605 | Carlsbad,,California,USA,33.13,-117.33,23,1978-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
606 | Ramona,,California,USA,33.00,-116.75,527,1978-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
607 | Cheyenne,,Wyoming,USA,41.13,-104.82,1876,1978-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
608 | Reno,,Nevada,USA,39.50,-119.78,1341,1979-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
609 | Chula Vista,,California,USA,32.67,-117.03,20,1978-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
610 | Rialto,,California,USA,34.10,-117.35,369,1977-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
611 | Denver 1 (SE),,Colorado,USA,39.65,-104.85,1628,1978-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
612 | Ridge Crest,,California,USA,35.62,-117.67,696,1976-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
613 | Denver 2 (Holly),,Colorado,USA,39.75,-104.90,1625,1978-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
614 | Saguaro,,California,USA,32.55,-111.30,588,1979-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
615 | Eldorado,,Nevada,USA,35.80,-115.00,547,1976-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
616 | San Diego,,California,USA,32.72,-117.17,18,1979-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
617 | El Cajon,,California,USA,32.78,-116.97,140,1978-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
618 | San Pedro,,California,USA,33.75,-118.28,12,1979-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
619 | El Segundo,,California,USA,33.90,-118.42,12,1976-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
620 | Spring Valley,,California,USA,32.73,-116.92,216,1978-1979,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
621 | El Toro,,California,USA,33.63,-117.70,110,1977-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
622 | St Johns,,Arizona,USA,34.57,-109.30,1815,1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
623 | Escondido,,California,USA,33.13,-117.10,216,1978-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
624 | Sun Valley,,California,USA,34.25,-118.38,277,1978-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
625 | Gila Bend,,Arizona,USA,32.93,-112.72,224,1978-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
626 | Tucson,,Arizona,USA,32.17,-110.90,794,1978-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
627 | Huntington Beach,,California,USA,33.65,-117.98,6,1976-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
628 | Victorville,,California,USA,34.55,-117.28,870,1976-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
629 | Imperial,,California,USA,32.82,-115.38,-6,1977-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
630 | Villa Park,,California,USA,33.82,-117.85,78,1977-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
631 | Inglewood,,California,USA,33.95,-118.38,30,1979-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
632 | Visalia,,California,USA,36.33,-119.28,102,1977-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
633 | Laguna Bell,,California,USA,33.97,-118.15,41,1976-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
634 | Walnut,,California,USA,34.00,-117.97,107,1976-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
635 | Lancaster,,California,USA,34.70,-118.15,715,1976-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
636 | West Los Angeles,,California,USA,34.07,-118.45,122,1978-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
637 | Las Vegas,,Nevada,USA,36.15,-115.17,634,1978-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
638 | West Valley,,California,USA,34.18,-118.57,241,1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
639 | Los Angeles,,California,USA,34.07,-118.23,88,1978-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
640 | Yucca Valley,,California,USA,34.12,-116.42,1024,1976-1980,WEST,NREL,,https://www.nrel.gov/grid/solar-resource/west.html,Freely,G;B
641 | Bluefield State College,,West Virginia,USA,37.27,-81.24,803,1985-1996,HBCU,NREL,Diffuse was measured with a shadowband.,https://www.nrel.gov/grid/solar-resource/hbcu.html,Freely,G;B;Ds
642 | Elizabeth City State University,,North Carolina,USA,36.30,-76.25,4,1990-1996,HBCU,NREL,Diffuse was measured with a shadowband until 1995. In 1996 it was measured with a shading disk on a tracker.,https://www.nrel.gov/grid/solar-resource/hbcu.html,Freely,G;B;D
643 | Mississippi Valley State University,,Mississippi,USA,33.50,-90.33,52,1992-1996,HBCU,NREL,Diffuse was measured with a shadowband.,https://www.nrel.gov/grid/solar-resource/hbcu.html,Freely,G;B;Ds
644 | Montgomery,,Alabama,USA,32.30,-86.40,68,1977-1979,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
645 | Fairbanks,,Alaska,USA,64.82,-147.87,143,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
646 | Phoenix,,Arizona,USA,33.43,-112.02,339,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
647 | Fresno,,California,USA,36.77,-119.72,102,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
648 | Los Angeles,,California,USA,33.93,-118.40,36,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
649 | Boulder,,Colorado,USA,40.10,-105.25,1634,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
650 | Grand Junction,,Colorado,USA,39.12,-108.53,1473,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
651 | Miami,,Florida,USA,25.82,-80.28,8,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
652 | Tallahassee,,Florida,USA,30.38,-84.37,18,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
653 | Honolulu,,Hawaii,USA,21.32,-157.92,2,1978-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
654 | Boise,,Idaho,USA,43.57,-116.22,873,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
655 | Indianapolis,,Indiana,USA,39.73,-86.27,244,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
656 | Dodge City,,Kansas,USA,37.77,-99.97,795,1977-1979,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
657 | Lake Charles,,Louisiana,USA,30.12,-93.22,19,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
658 | Blue Hill,,Massachusetts,USA,42.22,-71.12,200,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
659 | Caribou,,Maine,USA,46.87,-68.02,195,1977-1978,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
660 | Guam,,Marianas Islands,USA,13.45,144.68,111,1978-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
661 | Columbia,,Missouri,USA,38.82,-92.22,277,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
662 | Great Falls,,Montana,USA,47.50,-111.37,1125,1977-1978,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
663 | Omaha,,Nebraska,USA,41.37,-96.02,404,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
664 | Desert Rock,,Nevada,USA,36.62,-116.02,1007,1979-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
665 | Ely,,Nevada,USA,39.28,-114.85,1912,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
666 | Las Vegas,,Nevada,USA,36.08,-115.17,661,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
667 | Albuquerque,,New Mexico,USA,35.03,-106.62,1623,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
668 | Raleigh,,North Carolina,USA,35.87,-78.78,137,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
669 | Bismarck,,North Dakota,USA,46.77,-100.77,511,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
670 | Medford,,Oregon,USA,42.37,-122.87,412,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
671 | Pittsburgh,,Pennsylvania,USA,40.50,-80.22,371,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
672 | San Juan,,Puerto Rico,USA,18.43,-66.00,19,1978-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
673 | Nashville,,Tennessee,USA,36.12,-86.68,186,1977-1978,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
674 | Brownsville,,Texas,USA,25.90,-97.43,12,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
675 | El Paso,,Texas,USA,31.80,-106.40,1206,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
676 | Midland,,Texas,USA,31.95,-102.18,872,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
677 | Salt Lake City,,Utah,USA,40.77,-111.97,1288,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
678 | Burlington,,Vermont,USA,44.47,-73.15,112,1977-1978,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
679 | Sterling,,Virginia,USA,38.98,-77.47,87,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
680 | Seattle-Tacoma,,Washington,USA,47.45,-122.30,143,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
681 | Madison,,Wisconsin,USA,43.13,-89.33,271,1977,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
682 | Lander,,Wyoming,USA,42.82,-108.73,1699,1977-1980,NOAA,NREL,,https://www.nrel.gov/grid/solar-resource/noaa.html,Freely,G;B
683 | Hradec Kralove,HKR,,Czech Republic,50.1772,15.8386,285,2009-?,WMO GAW,Czech Hydrometeorological Institute (CHMI),,https://gawsis.meteoswiss.ch/GAWSIS/#/search/station/stationReportDetails/0-20008-0-HKR,,G;B;D;UV
684 | Vaulx-en-Velin,,,France,45.7786,4.9225,170,2005-,IDMP,ENTPE,Diffuse is measured with a shadowring.,https://idmp.entpe.fr/,Freely,G;B;Ds;UV
685 | Chinese University of Hong Kong,CUHK,,China,22.4207,114.2085,150,2003-?,,University of Hong Kong,,,,G;B;D
686 | Le Bourget-du-Lac,,,France,45.6416,5.8752,235,2019-?,,INES,There is a second tracker with a pyrheliometer on a tower (probably little maintenance).,,,G;B
687 | Grimstad,,,Norway,58.3345,8.5753,40,2019-,,University of Agder,Also has Spectrafy instruments and reference cells.,,,G;B;D;GTI;Albedo
688 | Kjeller,,,Norway,59.9725152,11.0522975,130,2022-,,IFE,Also has reference cells.,https://ife.no/service/ife-pv-module-outdoor-test-site/,,G;B;D;GTI;Albedo
689 | Tromsø,,,Norway,69.661,18.939,113,2020-?,,University of Tromsø,,,,G;B;D
690 | Parkent,PAR,,Uzbekistan,41.3135,69.7408,1081,2011-?,,Uzhydromet,,,,G;B;D;RSP
691 | Arandis,ARA,,Namibia,-22.3656,15.0449,697,2016-?,,NamPower,,,,G;B;D
692 | Auas,AUA,,Namibia,-22.5882,17.3635,1880,2016-?,,NamPower,,,,G;B;D
693 | Chiba,,,Japan,35.625,140.104,21,1999-,SKYNET,Hitoshi Irie and Tamio Takamura (CEReS/Chiba-U.),Photometer and longwave downdewlling irradiance.,http://atmos3.cr.chiba-u.jp/skynet/chiba/chiba.html,Freely,G;D
694 | Cape Hedo,,,Japan,26.867,128.248,65,2005-,SKYNET,Hitoshi Irie and Tamio Takamura (CEReS/Chiba-U.),Photometer and longwave downdewlling irradiance.,http://atmos3.cr.chiba-u.jp/skynet/capehedo/capehedo.html,Freely,G;D
695 | Fukue,,,Japan,32.752,128.682,80,2003-,SKYNET,Hitoshi Irie and Tamio Takamura (CEReS/Chiba-U.),Photometer and longwave downdewlling irradiance.,http://atmos3.cr.chiba-u.jp/skynet/fukue/fukue.html,Freely,G;D
696 | Miyako,,,Japan,24.737,125.327,50,2004-2018,SKYNET,Hitoshi Irie and Tamio Takamura (CEReS/Chiba-U.),Photometer and longwave downdewlling irradiance.,http://atmos3.cr.chiba-u.jp/skynet/miyako/miyako.html,Freely,G;D
697 | Sendai,,,Japan,38.26,140.84,153,2010-,SKYNET,Hitoshi Irie and Tamio Takamura (CEReS/Chiba-U.),Photometer and longwave downdewlling irradiance.,http://atmos3.cr.chiba-u.jp/skynet/sendai/sendai.html,Freely,G;D
698 | Phimai,,,Thailand,15.184,102.564,212,2005-,SKYNET,Hitoshi Irie and Tamio Takamura (CEReS/Chiba-U.),Photometer and longwave downdewlling irradiance.,http://atmos3.cr.chiba-u.jp/skynet/phimai/phimai.html,Freely,G;D
699 | Seoul,,,South Korea,37.46,126.95,85,2008-2015,SKYNET,Hitoshi Irie and Tamio Takamura (CEReS/Chiba-U.),Photometer and longwave downdewlling irradiance.,http://atmos3.cr.chiba-u.jp/skynet/seoul/seoul.html,Freely,G;D
700 | Jokioinen Ilmala,,,Finland,60.8143, 23.4990,104,1999-,,Finnish Meteorological Institute (FMI),,https://en.ilmatieteenlaitos.fi/observation-stations,Freely,G;B;D;IR;UV
701 | Helsinki Kumpula,,,Finland,60.2038,24.96171,24,2007-,,Finnish Meteorological Institute (FMI),,https://en.ilmatieteenlaitos.fi/observation-stations,Freely,G;B;D;IR;UV
702 | Sandia,,New Mexico,USA,35.05,106.54,1657,1994-,,Sandia National Laboratories,Data is available upon request with use conditions. ,https://photovoltaics.sandia.gov,Upon request,G;B;D
703 | Hohenpeissenberg,,Bavaria,Germany,47.8009,11.0108,977,1997-,WMO GAW;AERONET,DWD,DNI only available as hourly sums prior to 2021.,https://www.dwd.de/EN/research/observing_atmosphere/composition_atmosphere/hohenpeissenberg/start_mohp_node.html,Upon request,G;B;D
704 | Zugspitze,,Bavaria,Germany,47.4210,10.9848,2965,1995-,,DWD,Measurements are hampered by the harsh environmental conditions which prior to 2021 caused frequent tracker issues.,https://www.imk-ifu.kit.edu,Upon request,G;B;D
705 | Niamey,,,Niger,13.4773,2.1758,223,2005-2007,ARM,ARM,,https://doi.org/10.5439/1377836,Freely,G;B;D;IR;UVB
706 | Nevada Power Clark Station,NPC,Nevada,USA,36.08581,-115.05189,523,2006-2015,MIDC,NREL,,https://midcdmz.nrel.gov/apps/sitehome.pl?site=NPC,Freely,G;B
707 | BMSOLx Black Mountain,,Canberra,Australia,-35.275,149.1136,595,2012-2014,,CSIRO,Unknown status.,https://www.csiro.au/en/about/locations/state-locations/ACT/Black-Mountain,,G;B;D
708 | Helmos Hellenic Atmospheric Aerosol & Climate Change station,Helmos Mt,,Greece,37.98399,22.19589,2314,2024-,CHOPIN,NCSR-Demokritos,,https://www.epfl.ch/labs/lapi/chopin-campaign/,Upon request,G;B;D
709 | Monte Cimone,,,Italy,44.19350,10.70069,2165,2004-,CHOPIN;GAW-WMO,National Research Council (CNR),,https://cimone.isac.cnr.it/,Freely,G;B;D
710 | Cedar City,USEP Cedar,Utah,USA,37.69601,-113.16483,1675,2010-2013,MIDC,NREL,,https://midcdmz.nrel.gov/apps/sitehome.pl?site=USEPCC,Freely,RSR
711 | Elizabeth City,ECSU,North Carolina,USA,36.282,-76.216,26,1985-2014,MIDC,NREL,Data on this web site have not been reviewed for accuracy or completeness. There are several periods of time were the Direct NIP is not pointing at the sun and/or the Diffuse PSP is not shaded,https://midcdmz.nrel.gov/apps/sitehome.pl?site=EC,Freely,G;B;Ds
712 | Escalante,TSE,New Mexico,USA,35.41861,-108.08828,2106,2010-2013,MIDC,NREL,,https://midcdmz.nrel.gov/apps/sitehome.pl?site=TSESC,Freely,RSR
713 | La Ola Lanai,Lanai,Hawaii,USA,20.76685,-156.92291,381,2009-2012,MIDC,NREL,,https://midcdmz.nrel.gov/apps/sitehome.pl?site=LANAI,Freely,RSR
714 | Loyola Marymount University,Loyola,California,USA,33.966674,-118.4226,27,2010-2016,MIDC,NREL,The RSR Battery has not been taking a full charge since December 2014 as a result there are large gaps in data each day. Battery was replaced July 9th 2015. Data should be used with caution during the period with battery problems,https://midcdmz.nrel.gov/apps/sitehome.pl?site=LMU,Freely,RSR
715 | Milford,USEPMF,Utah,USA,38.41431,-113.02967,1550,2010-2013,MIDC,NREL,,https://midcdmz.nrel.gov/apps/sitehome.pl?site=USEPMF,Freely,RSR
716 | Oak Ridge National Laboratory,ORNL,Tennessee,USA,35.92996,-84.30952,245,2007-2019,MIDC,NREL,,https://midcdmz.nrel.gov/apps/sitehome.pl?site=ORNL,Freely,RSR
717 | San Luis Valley,SS1,Colorado,USA,37.561,-106.0864,2335,2008-2010,MIDC,NREL,,https://midcdmz.nrel.gov/apps/sitehome.pl?site=SS1,Freely,RSR
718 | Swink,SS2,Colorado,USA,38.01221,-103.61696,1255,2010-2015,MIDC,NREL,,https://midcdmz.nrel.gov/apps/sitehome.pl?site=SS2,Freely,RSR
719 | SOLRMAP Southwest Solar Research Park,SSSCAT,Arizona,USA,33.41663,-112.0187,347,2010-2013,MIDC,NREL,,https://midcdmz.nrel.gov/apps/sitehome.pl?site=SSSCAT,Freely,RSR
720 | ARM Radiometer Characterization System,ARMRCS,Oclahoma,USA,36.606,-97.486,320,2003-2004,MIDC,NREL,,https://midcdmz.nrel.gov/apps/sitehome.pl?site=RCS,Freely,G;B;D
721 | Bluefield State College,BSC,West Virginia,USA,37.265,-81.24,803,1985-2015,MIDC,NREL,,https://midcdmz.nrel.gov/apps/sitehome.pl?site=BS,Freely,G;B;Ds
722 | SOLRMAP Kalaeloa Oahu,OAHU,Hawaii,USA,21.31347,-158.08257,11,2010-2011,MIDC,NREL,,https://midcdmz.nrel.gov/apps/sitehome.pl?site=OAHURS1M,Freely,RSR
723 | Lowry Range Solar Station,LRSS,Colorado,USA,39.60701,-104.58017,1860,2008-2014,MIDC,NREL,,https://midcdmz.nrel.gov/apps/sitehome.pl?site=LRSS,Freely,RSR
724 | Sacramento Municipal Utility District (Anatolia),SMUDA,California,USA,38.54586,-121.24029,51,2009-2015,MIDC,NREL,The RSR Instrument has been intermittently malfunctioning since August 2014-DATA SHOULD BE USED WITH CAUTION,https://midcdmz.nrel.gov/apps/sitehome.pl?site=SMUDA,Freely,RSR
725 | Xcel Energy Comanche Station,XECS,Colorado,USA,38.2098,-104.5724,1490,2007-2011,MIDC,NREL,During winter months data from this station may be affected by shading from nearby stacks or steam plumes. Users should understand these effects if trying to use the data for general solar resource assessment,https://midcdmz.nrel.gov/apps/sitehome.pl?site=XECS,Freely,RSR
726 | Burgos,,,Spain,42.351111,-3.688889,856,?,,Burgos University,Also has an all sky imager and sky scanner of illuminance.,,,G;B;D
727 | Dubai,,,United Arab Emirates,24.77,55.36,,2019-,AERONET,Dubai Electricity and Water Authority (DEWA),Dubai Electricity and Water Authority’s (DEWA) Research and Development Center Outdoor Testing Facility (OTF) monitoring station. The site is associated with an AERONET station.,,,G;B;D
728 | Chilbolton,,,United Kingdom,51.1446,-1.4386,,2013-,,Chilbolton Observatory,Coordinates are approximate. Upwelling irradiances are also available.,https://www.chilbolton.stfc.ac.uk/Pages/Solar-and-infrared-upwelling-and-downwelling-radiation.aspx,Freely,G;B;D;IR
729 | Seville,,,Spain,37.41,-6.01,12,2000-,,University of Seville,,,,G;B;D
730 | Jaen,,,Spain,37.787767,-3.778132,459,2015-2020,,University of Jaen,Start date and instrumentation are uncertain. Start date could be earlier.,,,G;B;D
731 | Gangneung-Wonju National University,GWNU,,South Korea,37.7707,128.8661,63.5,2010-,,Gangneung-Wonju National University,Solar radiation is blocked by mountains during the sunset,,,G;B;D;IR
732 | Kookmin University,KMU,,South Korea,37.61200,126.99770,140,2018-?,,Kookmin University,,,,G;B;D
733 | ENEA Portici,,,Italy,40.8066,14.3368,,?,,ENEA,,,Upon request,G;B;D
734 | ENEA Casaccia,,,Italy,42.0419,12.3039,,?,,ENEA,,,Upon request,G;B;D
735 | RSE Piacenza,,,Italy,45.03,9.76,,?,,RSE,,,,G;B;D
736 | EE Paso de la Laguna,,,Uruguay,-33.2751,-54.1724,35,2010-2016,RMCIS,Uruguay Solar Energy Laboratory,,http://les.edu.uy/rmcis/,Freely,G;D
737 | Lujan,,,Argentina,-34.5885,-59.0631,30,2005-,,Lujan National University,Oldest measurements are from 2000.,https://www.gersolar.unlu.edu.ar/?q=node/4,,G;B;D;UV;PAR;IR
738 | Qiqihar,QIQ,,China,47.7957,124.4852,170,2023-?,,Meteorological Bureau of Fuyu County,BSRN candidate station,,Freely,G;B;D;IR
739 | Chiang Mai,CM,,Thailand,18.78,98.98,,2011-?,,Silpakorn University,,,,G;B;D;UV
740 | Ubon Ratchathani,UB,,Thailand,15.25,104.87,,2011-?,,Silpakorn University,,,,G;B;D;UV
741 | Nakhon Pathom,NP,,Thailand,13.82,100.04,,2011-?,,Silpakorn University,,,,G;B;D;UV
742 | Songkhla,SK,,Thailand,7.2,100.60,,2011-?,,Silpakorn University,,,,G;B;D;UV
743 | Lille,,,France,50.61,3.14,70,2010-,,University of Lille,Also features a CIMEL sun/sky photometer and sky imager.,,,G;B;D
744 | Bolzano NOI Techpark,,,Italy,46.4790,11.33064,261,2020-,,University of Bozen-Bolzano,The station has also an EKO ASI-16,,Upon request,SPN1
745 | Bolzano University campus,,,Italy,46.49835,11.35055,293,2017-,,University of Bozen-Bolzano,The station has also an EKO ASI-16,,Upon request,G;B;D;IR
746 | Sulov,,,Slovakia,49.16385,18.58569,393,2017-,,Solargis,The SPN1 was installed in August 2019,,Upon request,G;SPN1
747 | Bratislava,,,Slovakia,48.16983,17.07145,185,2016-2018,,Solargis,,,Upon request,G;RSP
748 | M'Bour,,,Senegal,14.394387,-16.958739,10,2007-2020,,University of Lille,,,,G;B;D
749 | Dakar,,,Senegal,14.7017,-17.4256,10,2020-,,University of Lille,,,,G;B;D
750 | Villeneuve d'Ascq,,,France,50.611208,3.140441,63,2008-,,University of Lille,,,,G;B;D
751 | Ashalim,,,Israel,30.9830,34.7080,305,2016-,IMS,IMS,Unknown if DHI is measured with shadowband,https://ims.gov.il/en/stations,Freely,G;B;D
752 | Jesrusalem Givat Ram,,,Israel,31.7704,35.1973,770,1990-,IMS,IMS,Unknown if DHI is measured with shadowband,https://ims.gov.il/en/stations,Freely,G;B;D
753 | Besor Farm,,,Israel,31.2716,34.38941,110,2001-,IMS,IMS,Unknown if DHI is measured with shadowband,https://ims.gov.il/en/stations,Freely,G;B;D
754 | Bet Dagan,,,Israel,32.0073,34.8138,31,1991-,IMS,IMS,Unknown if DHI is measured with shadowband,https://ims.gov.il/en/stations,Freely,G;B;D
755 | Patras,,,Greece,38.29136,21.78858,44.5,2023-,,University of Patras,GHI and DHI (shadowband) since 2011. DNI and DHI (tracker) since 2023. Tilted irradiance (38 deg. Since 2013). The station also operated spectral radiometers. Principal investigators: Athanassios Argiriou (athanarg@upatras.gr) and Andreas Kazantzidis (akaza@upatras.gr).,https://mymeasurements.eu/u/lapup/solar.php?lang=en,Upon request,G;B;D;UV;albedo;GTI
756 | TH Rosenheim,THRO,Bavaria,Germany,47.866921,12.107953,469,2025-,,Rosenheim Technical University of Applied Sciences,,https://meteo.th-rosenheim.de,Upon request,G;B;D
757 | Valentia Observatory,,,Ireland,51.939,-10.241,20,-,,Met Eireann,Location is approximate. Station is known to have had issues with data quality.,https://www.met.ie/science/valentia,,G;B;D
758 | Limassol,,,Cyprus,34.67,33.04,31,2025-,,Cyprus University of Technology,Unknown time period.,https://doi.org/10.1117/12.3075522,,G;B;D
759 | Zagreb-Maksimir,,,Croatia,45.8217,16.0338,123,-,,Croatian Meteorological and Hydrological Service (DHMZ),,https://meteo.hr/infrastruktura_e.php?section=mreze_postaja¶m=pmm,,G;B;D
760 |
--------------------------------------------------------------------------------