Skip to content

Instantly share code, notes, and snippets.

@tgherzog
Last active August 10, 2020 20:46
Show Gist options
  • Star 0 You must be signed in to star a gist
  • Fork 0 You must be signed in to fork a gist
  • Save tgherzog/0f843047da3bb7205b4514ec63672644 to your computer and use it in GitHub Desktop.
Save tgherzog/0f843047da3bb7205b4514ec63672644 to your computer and use it in GitHub Desktop.
Some data quality checks
#!/usr/bin/python -u
#wbgapi module available here: https://github.com/tgherzog/wbgapi
"""
coverage.py produces quick density coverage stats for an indicator
Usage:
coverage.py [--verbose --sources --prefixes --bssi --gaps] [--start YEAR] [--income INC] [--region RGN] [--since YEARS] [--archived-dbs IDS] INDICATOR...
Options:
--verbose, -v detailed output
--prefixes, -p add a prefix column to output
--start, -s YEAR start year [default: 2000]
--since YEARS comma-separated list of years for coverage analysis [default: 2010,2014,2016,2018]
--archived-dbs IDS comma-separated list of database IDs to treat as archived: don't analyze these [default: 11,57]
--income INC only this income group (~ to exclude)
--region RGN only this region (~ to exclude)
--bssi only BSSI countries
--gaps include gaps analysis
--sources include indicator sources
INDICATOR can be in the form CETS or SOURCE:CETS. If omitted, SOURCE defaults to 2
"""
import requests
import datetime
import sys
import csv
import copy
import numpy
import wbgapi
from docopt import docopt
reload(sys)
sys.setdefaultencoding('utf-8')
bssi_countries = ['ARG', 'AUS', 'AUT', 'BEL', 'BRA', 'CAN', 'CHL', 'CHN', 'COL', 'HRV',
'CZE', 'DNK', 'DOM', 'ECU', 'EGY', 'FIN', 'FRA', 'DEU', 'GRC', 'HUN',
'IND', 'IDN', 'IRL', 'ISR', 'ITA', 'JPN', 'KAZ', 'LBN', 'LTU', 'MYS',
'MEX', 'NLD', 'NZL', 'NGA', 'NOR', 'PAN', 'PER', 'PHL', 'POL', 'PRT',
'ROU', 'RUS', 'SRB', 'SGP', 'SVK', 'SVN', 'ZAF', 'KOR', 'ESP', 'LKA',
'SWE', 'CHE', 'THA', 'TUR', 'USA', 'UKR', 'GBR', 'URY', 'VEN', 'TWN']
config = docopt(__doc__)
minYear = int(config['--start'])
maxYear = datetime.datetime.now().year - 1
actualMaxYear = None
incomeFlag = regionFlag = True
if config['--income'] and config['--income'][0] == '~':
config['--income'] = config['--income'][1:]
incomeFlag = False
if config['--region'] and config['--region'][0] == '~':
config['--region'] = config['--region'][1:]
regionFlag = False
archiveDBs = [int(i) for i in config['--archived-dbs'].split(',')]
yearKeys = [int(i) for i in config['--since'].split(',')]
_yearBreaks = {}
for i in yearKeys:
_yearBreaks[i] = 0
# sanity checks
if len(config['INDICATOR']) > 1:
config['--verbose'] = False
# get populations
_pops = {}
for row in wbgapi.fetch('https://api.worldbank.org/v2/en/country/all/indicator/SP.POP.TOTL', {'MRNEV': 1}):
if row['countryiso3code']:
_pops[row['countryiso3code']] = row['value']
# Then fetch the the country list
_countries = {}
countOfSmallCountries = 0
countOfRichCountries = 0
country_meta = {}
for elem in wbgapi.fetch('https://api.worldbank.org/v2/en/country'):
if config['--bssi'] and elem['id'] not in bssi_countries:
continue
if config['--income'] and (elem['incomeLevel']['id'] == config['--income']) != incomeFlag:
continue
if config['--region'] and (elem['region']['id'] == config['--region']) != incomeFlag:
continue
if elem['region']['id'] != 'NA' and elem['id'] != 'TWN':
_countries[elem['id']] = [0] * (maxYear-minYear+1)
pop = _pops.get(elem['id'])
meta = {
'pop': pop,
'income': elem['incomeLevel']['id'],
'region': elem['region']['id'],
'smallCountry': pop and pop < 100000,
'richCountry': elem['incomeLevel']['id'] == 'HIC',
}
if meta['smallCountry']: countOfSmallCountries += 1
if meta['richCountry']: countOfRichCountries += 1
country_meta[elem['id']] = meta
writer = csv.writer(sys.stdout, quoting=csv.QUOTE_MINIMAL)
output = ['DB', 'CETS', 'NAME', 'MINMRV', 'AVGMRV', 'MEDMRV', 'MAXMRV', 'COUNTRIES', 'TOTAL_COUNTRIES', 'MINCOV', 'MAXCOV', 'AVGCOV','COVSCORE']
if config['--sources']:
output.insert(3, 'SOURCE')
if config['--prefixes']:
output.insert(0, 'PREFIX')
for i in yearKeys:
output.append('SINCE{}'.format(i))
if config['--gaps']:
output.extend(['GAPS_TOTAL', 'GAPS_SMALL n={}'.format(countOfSmallCountries), 'GAPS_SMALLPERC', 'GAPS_RICH n={}'.format(countOfRichCountries), 'GAPS_RICHPERC', 'GAPS_OTHER'])
writer.writerow(output)
for id in config['INDICATOR']:
minYear = int(config['--start'])
maxYear = datetime.datetime.now().year - 1
actualMaxYear = None
minMRV = None
countries = copy.deepcopy(_countries)
yearBreaks = copy.deepcopy(_yearBreaks)
parts = id.split(',', 1)
if len(parts) > 1:
(prefix,parts) = (parts[0], parts[1])
else:
prefix = ''
parts = parts[0]
parts = parts.split(':')
if len(parts) > 1:
(src,cets) = (parts[0],parts[1])
else:
(src,cets) = (2, parts[0])
if config['--sources']:
source = 'n/a'
try:
url = 'https://api.worldbank.org/v2/en/indicator/{}?source={}&format=json'.format(cets, src)
response = requests.get(url)
data = response.json()
source = data[1][0]['sourceOrganization']
except:
pass
# sanity check: API calls for WGI data fail if minYear<1996
minYearApi = minYear if (minYear >= 1996 or int(src) != 3) else 1996
url = 'https://api.worldbank.org/v2/en/country/all/indicator/{}?source={}&format=json&per_page=20000&date={}:{}'.format(cets, src, minYearApi, maxYear)
# print url
response = requests.get(url)
data = response.json()
if len(data) < 2 or src in archiveDBs:
output = [src, cets]
if config['--prefixes']:
output.insert(0, prefix)
writer.writerow(output)
continue
data = data[1]
for elem in data:
cets_name = elem['indicator']['value']
date = int(elem['date'])
iso3 = elem['countryiso3code']
if len(iso3) == 0 and len(elem['country']['id']) == 3:
iso3 = elem['country']['id']
if countries.get(iso3) and date >= minYear and date <= maxYear and elem['value'] is not None:
actualMaxYear = date if actualMaxYear is None else max(actualMaxYear, date)
offset = date - minYear
countries[iso3][offset] = date
allCoverage = [] # a country array of 'coverage' values: % of possible values in the study range (0 means no values, 100 means complete coverage)
countriesWithData = 0
coverageScore = 0.0
missingCountries = 0
missingSmallCountries = 0
missingRichCountries = 0
missingOtherCountries = 0
mrvYears = []
if actualMaxYear:
for k,elem in countries.iteritems():
coverage = sum([1 if i else 0 for i in elem]) * 100 / (actualMaxYear-minYear+1)
coverageScore += max(max(elem)-minYear, 0)
if sum(elem) > 0:
countriesWithData += 1
mrvYears.append(max(elem))
minMRV = min(minMRV,max(elem)) if minMRV else max(elem)
for i in yearKeys:
if len([x for x in elem if x >= i]) > 0:
yearBreaks[i] += 1
else:
missingCountries += 1
meta = country_meta[k]
isClassified = False
# if k in ['ASM', 'GUM', 'VIR', 'PRI', 'CHI', 'INM']:
# missingTerritories += 1
if meta['smallCountry']:
missingSmallCountries += 1
isClassified = True
if meta['richCountry']:
missingRichCountries += 1
isClassified = True
if not isClassified:
missingOtherCountries += 1
allCoverage.append(coverage)
coverageScore /= len(countries) * (maxYear-minYear)
coverageScore = round(coverageScore*100, 1)
if len(mrvYears) == 0:
mrvYears = [0] # sanity check: shouldn't happen
if len(allCoverage) > 0:
output = [src, cets, cets_name, min(mrvYears), int(round(numpy.average(mrvYears))), int(numpy.median(mrvYears)), max(mrvYears), countriesWithData, len(countries),
int(round(min(allCoverage))),
int(round(max(allCoverage))),
int(round(sum(allCoverage)/len(allCoverage))), coverageScore
]
for i in yearKeys:
output.append(yearBreaks[i])
if config['--sources']:
output.insert(3, source)
if config['--prefixes']:
output.insert(0, prefix)
if config['--gaps']:
output.extend([len(countries)-countriesWithData, missingSmallCountries, round(float(missingSmallCountries)/countOfSmallCountries, 2), missingRichCountries, round(float(missingRichCountries)/countOfRichCountries, 2), missingOtherCountries])
writer.writerow(output)
else:
output = [src, cets, cets_name]
if config['--prefixes']:
output.insert(0, prefix)
writer.writerow(output)
if config['--verbose']:
for k,elem in countries.iteritems():
coverage = sum([1 if i else 0 for i in elem]) * 100 / (actualMaxYear-minYear+1)
if sum(elem) > 0:
minMRV = min([i for i in elem if i > 0])
maxMRV = max(elem)
else:
minMRV = maxMRV = ''
writer.writerow([k, minMRV, maxMRV, coverage])
ID Pillar Theme SORT
EN.ATM.CO2E.PC Environment Emissions & pollution 1
EN.CLC.GHGR.MT.CE Environment Emissions & pollution 1
EN.ATM.METH.PC Environment Emissions & pollution 1
EN.ATM.NOXE.PC Environment Emissions & pollution 1
EN.ATM.PM25.MC.M3 Environment Emissions & pollution 1
NY.ADJ.DRES.GN.ZS Environment Natural capital endowment and management 2
NY.ADJ.DFOR.GN.ZS Environment Natural capital endowment and management 2
ER.H2O.FWTL.ZS Environment Natural capital endowment and management 2
AG.LND.FRST.ZS Environment Natural capital endowment and management 2
EN.MAM.THRD.NO Environment Natural capital endowment and management 2
ER.PTD.TOTL.ZS Environment Natural capital endowment and management 2
EG.ELC.COAL.ZS Environment Energy use & security 3
EG.IMP.CONS.ZS Environment Energy use & security 3
EG.EGY.PRIM.PP.KD Environment Energy use & security 3
EG.USE.PCAP.KG.OE Environment Energy use & security 3
EG.USE.COMM.FO.ZS Environment Energy use & security 3
EG.ELC.RNEW.ZS Environment Energy use & security 3
EG.FEC.RNEW.ZS Environment Energy use & security 3
EN.CLC.CDDY.XD Environment Environment/climate risk & resilience 4
EN.CLC.MDAT.ZS Environment Environment/climate risk & resilience 4
EN.CLC.HEAT.XD Environment Environment/climate risk & resilience 4
EN.CLC.PRCP.XD Environment Environment/climate risk & resilience 4
EN.CLC.SPEI.XD Environment Environment/climate risk & resilience 4
EN.POP.DNST Environment Environment/climate risk & resilience 4
AG.LND.AGRI.ZS Environment Food Security 5
NV.AGR.TOTL.ZS Environment Food Security 5
AG.PRD.FOOD.XD Environment Food Security 5
SE.XPD.TOTL.GB.ZS Social Education & skills 6
SE.ADT.LITR.ZS Social Education & skills 6
SE.PRM.ENRR Social Education & skills 6
SL.TLF.0714.ZS Social Employment 7
SL.TLF.ACTI.ZS Social Employment 7
SL.UEM.TOTL.ZS Social Employment 7
SP.DYN.TFRT.IN Social Demography 8
SP.DYN.LE00.IN Social Demography 8
SP.POP.65UP.TO.ZS Social Demography 8
SI.SPR.PCAP.ZG Social Poverty & Inequality 9
SI.POV.GINI Social Poverty & Inequality 9
SI.DST.FRST.20 Social Poverty & Inequality 9
SI.POV.NAHC Social Poverty & Inequality 9
SH.DTH.COMM.ZS Social Health & Nutrition 10
SH.MED.BEDS.ZS Social Health & Nutrition 10
SH.DYN.MORT Social Health & Nutrition 10
SH.STA.OWAD.ZS Social Health & Nutrition 10
SN.ITK.DEFC.ZS Social Health & Nutrition 10
EG.CFT.ACCS.ZS Social Access to Services 11
EG.ELC.ACCS.ZS Social Access to Services 11
SH.H2O.SMDW.ZS Social Access to Services 11
SH.STA.SMSS.ZS Social Access to Services 11
IC.LGL.CRED.XQ Governance Human Rights 12
VA.EST Governance Human Rights 12
GE.EST Governance Government Effectiveness 13
RQ.EST Governance Government Effectiveness 13
CC.EST Governance Stability & Rule of Law 14
SM.POP.NETM Governance Stability & Rule of Law 14
PV.EST Governance Stability & Rule of Law 14
RL.EST Governance Stability & Rule of Law 14
IC.BUS.EASE.XQ Governance Economic Environment 15
NY.GDP.MKTP.KD.ZG Governance Economic Environment 15
IT.NET.USER.ZS Governance Economic Environment 15
SG.GEN.PARL.ZS Governance Gender 16
SL.TLF.CACT.FM.ZS Governance Gender 16
SE.ENR.PRSC.FM.ZS Governance Gender 16
SP.UWT.TFRT Governance Gender 16
IP.PAT.RESD Governance Innovation 17
GB.XPD.RSDV.GD.ZS Governance Innovation 17
IP.JRN.ARTC.SC Governance Innovation 17
'''
Reads the ESG framework (with pillars and themes) and writes a 2-level unordered HTML list.
This appears on http://datatopics.worldbank.org/esg/framework.html, although
the pillar descriptions are added manually.
Note that the script reads a shortened CSV file with just CETS codes, pillars and themes
and gets indicator names from the API to ensure consistency. stdin should point to esg-framework.csv
Usage:
esg-framework.py
'''
import csv
import sys
from docopt import docopt
import wbgapi as wb
config = docopt(__doc__)
esgDb = 75
dbSourceID = wb.source.get(esgDb)['databid']
dbCountries = 'EAS,SAS,MEA,SSF,LCN,ECS,NAC'
names = {row['id']: row['value'] for row in wb.series.list(db=esgDb)}
reader = csv.reader(sys.stdin)
header = None
lastPillar = None
lastTheme = None
for row in reader:
if header is None:
header = row
continue
(cets,pillar,theme) = row[0:3]
try:
name = names[cets]
except:
raise ValueError('{} is not a recognized ESG indicator'.format(cets))
if lastPillar != pillar:
if lastTheme is not None:
print(' </ul>')
if lastPillar is not None:
print('</ul>')
print('<h6>{} Pillar</h6>'.format(pillar))
print('<ul>')
lastPillar = pillar
lastTheme = None
if lastTheme != theme:
if lastTheme is not None:
print(' </ul></li>')
print('<li>{}\n <ul>'.format(theme.replace('&', '&amp;')))
lastTheme = theme
print(' <li><a href="http://databank.worldbank.org/data/reports.aspx?source={}&series={}&country={}">{}</a></li>'.format(dbSourceID, cets, dbCountries, name))
print(' </ul></li>')
print('</ul>')
ID IndicatorName Longdefinition Source Pillar Theme SORT
EN.ATM.CO2E.PC CO2 emissions (metric tons per capita) Carbon dioxide emissions are those stemming from the burning of fossil fuels and the manufacture of cement. They include carbon dioxide produced during consumption of solid, liquid, and gas fuels and gas flaring. Carbon Dioxide Information Analysis Center, Environmental Sciences Division, Oak Ridge National Laboratory, Tennessee, United States. Environment Emissions & pollution 1
EN.CLC.GHGR.MT.CE GHG net emissions/removals by LUCF (Mt of CO2 equivalent) GHG net emissions/removals by LUCF refers to changes in atmospheric levels of all greenhouse gases attributable to forest and land-use change activities, including but not limited to (1) emissions and removals of CO2 from decreases or increases in biomass stocks due to forest management, logging, fuelwood collection, etc.; (2) conversion of existing forests and natural grasslands to other land uses; (3) removal of CO2 from the abandonment of formerly managed lands (e.g. croplands and pastures); and (4) emissions and removals of CO2 in soil associated with land-use change and management. For Annex-I countries under the UNFCCC, these data are drawn from the annual GHG inventories submitted to the UNFCCC by each country; for non-Annex-I countries, data are drawn from the most recently submitted National Communication where available. Because of differences in reporting years and methodologies, these data are not generally considered comparable across countries. Data are in million metric tons. United Nations Framework Convention on Climate Change. Environment Emissions & pollution 1
EN.ATM.METH.PC Methane emissions (metric tons of CO2 equivalent per capita) Methane emissions are those stemming from human activities such as agriculture and from industrial methane production. Derived using data from European Commission, Joint Research Centre (JRC), Netherlands Environmental Assessment Agency (PBL), Emission Database for Global Atmospheric Research (EDGAR) and World Bank population estimates. Environment Emissions & pollution 1 Emissions & pollution
EN.ATM.NOXE.PC Nitrous oxide emissions (metric tons of CO2 equivalent per capita) Nitrous oxide emissions are emissions from agricultural biomass burning, industrial activities, and livestock management. Derived using data from European Commission, Joint Research Centre (JRC), Netherlands Environmental Assessment Agency (PBL), Emission Database for Global Atmospheric Research (EDGAR) and World Bank population estimates. Environment Emissions & pollution 1 Natural capital endowment and management
EN.ATM.PM25.MC.M3 PM2.5 air pollution, mean annual exposure (micrograms per cubic meter) Population-weighted exposure to ambient PM2.5 pollution is defined as the average level of exposure of a nation's population to concentrations of suspended particles measuring less than 2.5 microns in aerodynamic diameter, which are capable of penetrating deep into the respiratory tract and causing severe health damage. Exposure is calculated by weighting mean annual concentrations of PM2.5 by population in both urban and rural areas. Brauer, M. et al. 2017, for the Global Burden of Disease Study 2017. Environment Emissions & pollution 1 Energy use & security
NY.ADJ.DRES.GN.ZS Adjusted savings: natural resources depletion (% of GNI) Natural resource depletion is the sum of net forest depletion, energy depletion, and mineral depletion. Net forest depletion is unit resource rents times the excess of roundwood harvest over natural growth. Energy depletion is the ratio of the value of the stock of energy resources to the remaining reserve lifetime. It covers coal, crude oil, and natural gas. Mineral depletion is the ratio of the value of the stock of mineral resources to the remaining reserve lifetime). It covers tin, gold, lead, zinc, iron, copper, nickel, silver, bauxite, and phosphate. World Bank staff estimates based on sources and methods described in "The Changing Wealth of Nations 2018: Building a Sustainable Future" (Lange et al 2018). Environment Natural capital endowment and management 2 Environment/climate risk & resilience
NY.ADJ.DFOR.GN.ZS Adjusted savings: net forest depletion (% of GNI) Net forest depletion is calculated as the product of unit resource rents and the excess of roundwood harvest over natural growth. If growth exceeds harvest, this figure is zero. World Bank staff estimates based on sources and methods described in "The Changing Wealth of Nations 2018: Building a Sustainable Future" (Lange et al 2018). Environment Natural capital endowment and management 2 Food Security
ER.H2O.FWTL.ZS Annual freshwater withdrawals, total (% of internal resources) Annual freshwater withdrawals refer to total water withdrawals, not counting evaporation losses from storage basins. Withdrawals also include water from desalination plants in countries where they are a significant source. Withdrawals can exceed 100 percent of total renewable resources where extraction from nonrenewable aquifers or desalination plants is considerable or where there is significant water reuse. Withdrawals for agriculture and industry are total withdrawals for irrigation and livestock production and for direct industrial use (including withdrawals for cooling thermoelectric plants). Withdrawals for domestic uses include drinking water, municipal use or supply, and use for public services, commercial establishments, and homes. Data are for the most recent year available for 1987-2002. Food and Agriculture Organization, AQUASTAT data. Environment Natural capital endowment and management 2 Education & skills
AG.LND.FRST.ZS Forest area (% of land area) Forest area is land under natural or planted stands of trees of at least 5 meters in situ, whether productive or not, and excludes tree stands in agricultural production systems (for example, in fruit plantations and agroforestry systems) and trees in urban parks and gardens. Food and Agriculture Organization, electronic files and web site. Environment Natural capital endowment and management 2 Employment
EN.MAM.THRD.NO Mammal species, threatened Mammal species are mammals excluding whales and porpoises. Threatened species are the number of species classified by the IUCN as endangered, vulnerable, rare, indeterminate, out of danger, or insufficiently known. United Nations Environmental Program and the World Conservation Monitoring Centre, and International Union for Conservation of Nature, Red List of Threatened Species. Environment Natural capital endowment and management 2 Demography
ER.PTD.TOTL.ZS Terrestrial and marine protected areas (% of total territorial area) Terrestrial protected areas are totally or partially protected areas of at least 1,000 hectares that are designated by national authorities as scientific reserves with limited public access, national parks, natural monuments, nature reserves or wildlife sanctuaries, protected landscapes, and areas managed mainly for sustainable use. Marine protected areas are areas of intertidal or subtidal terrain--and overlying water and associated flora and fauna and historical and cultural features--that have been reserved by law or other effective means to protect part or all of the enclosed environment. Sites protected under local or provincial law are excluded. World Database on Protected Areas (WDPA) where the compilation and management is carried out by United Nations Environment World Conservation Monitoring Centre (UNEP-WCMC) in collaboration with governments, non-governmental organizations, academia and industry. The data is available online through the Protected Planet website (https://www.protectedplanet.net/). Environment Natural capital endowment and management 2 Poverty & Inequality
EG.ELC.COAL.ZS Electricity production from coal sources (% of total) Sources of electricity refer to the inputs used to generate electricity. Coal refers to all coal and brown coal, both primary (including hard coal and lignite-brown coal) and derived fuels (including patent fuel, coke oven coke, gas coke, coke oven gas, and blast furnace gas). Peat is also included in this category. IEA Statistics © OECD/IEA 2014 (http://www.iea.org/stats/index.asp), subject to https://www.iea.org/t&c/termsandconditions/ Environment Energy use & security 3 Health & Nutrition
EG.IMP.CONS.ZS Energy imports, net (% of energy use) Net energy imports are estimated as energy use less production, both measured in oil equivalents. A negative value indicates that the country is a net exporter. Energy use refers to use of primary energy before transformation to other end-use fuels, which is equal to indigenous production plus imports and stock changes, minus exports and fuels supplied to ships and aircraft engaged in international transport. IEA Statistics © OECD/IEA 2014 (http://www.iea.org/stats/index.asp), subject to https://www.iea.org/t&c/termsandconditions/ Environment Energy use & security 3 Access to Services
EG.EGY.PRIM.PP.KD Energy intensity level of primary energy (MJ/$2011 PPP GDP) Energy intensity level of primary energy is the ratio between energy supply and gross domestic product measured at purchasing power parity. Energy intensity is an indication of how much energy is used to produce one unit of economic output. Lower ratio indicates that less energy is used to produce one unit of output. World Bank, Sustainable Energy for All (SE4ALL) database from the SE4ALL Global Tracking Framework led jointly by the World Bank, International Energy Agency, and the Energy Sector Management Assistance Program. Environment Energy use & security 3 Human Rights
EG.USE.PCAP.KG.OE Energy use (kg of oil equivalent per capita) Energy use refers to use of primary energy before transformation to other end-use fuels, which is equal to indigenous production plus imports and stock changes, minus exports and fuels supplied to ships and aircraft engaged in international transport. IEA Statistics © OECD/IEA 2014 (http://www.iea.org/stats/index.asp), subject to https://www.iea.org/t&c/termsandconditions/ Environment Energy use & security 3 Government Effectiveness
EG.USE.COMM.FO.ZS Fossil fuel energy consumption (% of total) Fossil fuel comprises coal, oil, petroleum, and natural gas products. IEA Statistics © OECD/IEA 2014 (http://www.iea.org/stats/index.asp), subject to https://www.iea.org/t&c/termsandconditions/ Environment Energy use & security 3 Stability & Rule of Law
EG.ELC.RNEW.ZS Renewable electricity output (% of total electricity output) Renewable electricity is the share of electrity generated by renewable power plants in total electricity generated by all types of plants. IEA Statistics © OECD/IEA 2018 (http://www.iea.org/stats/index.asp), subject to https://www.iea.org/t&c/termsandconditions/ Environment Energy use & security 3 Economic Environment
EG.FEC.RNEW.ZS Renewable energy consumption (% of total final energy consumption) Renewable energy consumption is the share of renewables energy in total final energy consumption. World Bank, Sustainable Energy for All (SE4ALL) database from the SE4ALL Global Tracking Framework led jointly by the World Bank, International Energy Agency, and the Energy Sector Management Assistance Program. Environment Energy use & security 3 Gender
EN.CLC.CDDY.XD Cooling Degree Days A cooling degree day (CDD) is a measurement designed to quantify the demand for energy needed to cool buildings. It is the number of degrees that a day's average temperature is above 18°C. World Bank, Climate Change Knowledge Portal (https://climateknowledgeportal.worldbank.org) Environment Environment/climate risk & resilience 4 Innovation
EN.CLC.MDAT.ZS Droughts, floods, extreme temperatures (% of population, average 1990-2009) Droughts, floods and extreme temperatures is the annual average percentage of the population that is affected by natural disasters classified as either droughts, floods, or extreme temperature events. A drought is an extended period of time characterized by a deficiency in a region's water supply that is the result of constantly below average precipitation. A drought can lead to losses to agriculture, affect inland navigation and hydropower plants, and cause a lack of drinking water and famine. A flood is a significant rise of water level in a stream, lake, reservoir or coastal region. Extreme temperature events are either cold waves or heat waves. A cold wave can be both a prolonged period of excessively cold weather and the sudden invasion of very cold air over a large area. Along with frost it can cause damage to agriculture, infrastructure, and property. A heat wave is a prolonged period of excessively hot and sometimes also humid weather relative to normal climate patterns of a certain region. Population affected is the number of people injured, left homeless or requiring immediate assistance during a period of emergency resulting from a natural disaster; it can also include displaced or evacuated people. Average percentage of population affected is calculated by dividing the sum of total affected for the period stated by the sum of the annual population figures for the period stated. EM-DAT: The OFDA/CRED International Disaster Database: www.emdat.be, Université Catholique de Louvain, Brussels (Belgium), World Bank. Environment Environment/climate risk & resilience 4
EN.CLC.HEAT.XD Heat Index 35 (projected change in days) Total count of days per year where the daily mean Heat Index rose above 35°C. The Heat Index is a measure of how hot it really feels when relative humidity is factored in with the actual air temperature. World Bank, Climate Change Knowledge Portal (https://climateknowledgeportal.worldbank.org) Environment Environment/climate risk & resilience 4
EN.CLC.PRCP.XD Maximum 5-day Rainfall, 25-year Return Level (projected change in mm) A 25-year return level of the 5-day cumulative precipitation is the maximum precipitation sum over any 5-day period that can be expected once in an average 25-year period. World Bank, Climate Change Knowledge Portal (https://climateknowledgeportal.worldbank.org) Environment Environment/climate risk & resilience 4
EN.CLC.SPEI.XD Mean Drought Index (projected change, unitless) The Standardized Precipitation Evapotranspiration Index (SPEI), or Mean Drought Index, calculated for a 12-month period, has been found to be closely related to drought impacts on ecosystems, crop, and water resources. The SPEI is designed to take into account both precipitation and potential evapotranspiration (PET) in determining drought. World Bank, Climate Change Knowledge Portal (https://climateknowledgeportal.worldbank.org) Environment Environment/climate risk & resilience 4
EN.POP.DNST Population density (people per sq. km of land area) Population density is midyear population divided by land area in square kilometers. Population is based on the de facto definition of population, which counts all residents regardless of legal status or citizenship--except for refugees not permanently settled in the country of asylum, who are generally considered part of the population of their country of origin. Land area is a country's total area, excluding area under inland water bodies, national claims to continental shelf, and exclusive economic zones. In most cases the definition of inland water bodies includes major rivers and lakes. Food and Agriculture Organization and World Bank population estimates. Environment Environment/climate risk & resilience 4
AG.LND.AGRI.ZS Agricultural land (% of land area) Agricultural land refers to the share of land area that is arable, under permanent crops, and under permanent pastures. Arable land includes land defined by the FAO as land under temporary crops (double-cropped areas are counted once), temporary meadows for mowing or for pasture, land under market or kitchen gardens, and land temporarily fallow. Land abandoned as a result of shifting cultivation is excluded. Land under permanent crops is land cultivated with crops that occupy the land for long periods and need not be replanted after each harvest, such as cocoa, coffee, and rubber. This category includes land under flowering shrubs, fruit trees, nut trees, and vines, but excludes land under trees grown for wood or timber. Permanent pasture is land used for five or more years for forage, including natural and cultivated crops. Food and Agriculture Organization, electronic files and web site. Environment Food Security 5
NV.AGR.TOTL.ZS Agriculture, value added (% of GDP) Agriculture corresponds to ISIC divisions 1-5 and includes forestry, hunting, and fishing, as well as cultivation of crops and livestock production. Value added is the net output of a sector after adding up all outputs and subtracting intermediate inputs. It is calculated without making deductions for depreciation of fabricated assets or depletion and degradation of natural resources. The origin of value added is determined by the International Standard Industrial Classification (ISIC), revision 3 or 4. World Bank national accounts data, and OECD National Accounts data files. Environment Food Security 5
AG.PRD.FOOD.XD Food production index (2004-2006 = 100) Food production index covers food crops that are considered edible and that contain nutrients. Coffee and tea are excluded because, although edible, they have no nutritive value. Food and Agriculture Organization, electronic files and web site. Environment Food Security 5
SE.XPD.TOTL.GB.ZS Government expenditure on education, total (% of government expenditure) General government expenditure on education (current, capital, and transfers) is expressed as a percentage of total general government expenditure on all sectors (including health, education, social services, etc.). It includes expenditure funded by transfers from international sources to government. General government usually refers to local, regional and central governments. UNESCO Institute for Statistics (http://uis.unesco.org/) Social Education & skills 6
SE.ADT.LITR.ZS Literacy rate, adult total (% of people ages 15 and above) Adult literacy rate is the percentage of people ages 15 and above who can both read and write with understanding a short simple statement about their everyday life. UNESCO Institute for Statistics (http://uis.unesco.org/) Social Education & skills 6
SE.PRM.ENRR School enrollment, primary (% gross) Gross enrollment ratio is the ratio of total enrollment, regardless of age, to the population of the age group that officially corresponds to the level of education shown. Primary education provides children with basic reading, writing, and mathematics skills along with an elementary understanding of such subjects as history, geography, natural science, social science, art, and music. UNESCO Institute for Statistics (http://uis.unesco.org/) Social Education & skills 6
SL.TLF.0714.ZS Children in employment, total (% of children ages 7-14) Children in employment refer to children involved in economic activity for at least one hour in the reference week of the survey. Understanding Children's Work project based on data from ILO, UNICEF and the World Bank. Social Employment 7
SL.TLF.ACTI.ZS Labor force participation rate, total (% of total population ages 15-64) (modeled ILO estimate) Labor force participation rate is the proportion of the population ages 15-64 that is economically active: all people who supply labor for the production of goods and services during a specified period. International Labour Organization, ILOSTAT database. Data retrieved in April 2019. Social Employment 7
SL.UEM.TOTL.ZS Unemployment, total (% of total labor force) (modeled ILO estimate) Unemployment refers to the share of the labor force that is without work but available for and seeking employment. International Labour Organization, ILOSTAT database. Data retrieved in April 2019. Social Employment 7
SP.DYN.TFRT.IN Fertility rate, total (births per woman) Total fertility rate represents the number of children that would be born to a woman if she were to live to the end of her childbearing years and bear children in accordance with age-specific fertility rates of the specified year. (1) United Nations Population Division. World Population Prospects: 2017 Revision. (2) Census reports and other statistical publications from national statistical offices, (3) Eurostat: Demographic Statistics, (4) United Nations Statistical Division. Population and Vital Statistics Reprot (various years), (5) U.S. Census Bureau: International Database, and (6) Secretariat of the Pacific Community: Statistics and Demography Programme. Social Demography 8
SP.DYN.LE00.IN Life expectancy at birth, total (years) Life expectancy at birth indicates the number of years a newborn infant would live if prevailing patterns of mortality at the time of its birth were to stay the same throughout its life. (1) United Nations Population Division. World Population Prospects: 2017 Revision, or derived from male and female life expectancy at birth from sources such as: (2) Census reports and other statistical publications from national statistical offices, (3) Eurostat: Demographic Statistics, (4) United Nations Statistical Division. Population and Vital Statistics Reprot (various years), (5) U.S. Census Bureau: International Database, and (6) Secretariat of the Pacific Community: Statistics and Demography Programme. Social Demography 8
SP.POP.65UP.TO.ZS Population ages 65 and above (% of total population) Population ages 65 and above as a percentage of the total population. Population is based on the de facto definition of population, which counts all residents regardless of legal status or citizenship. World Bank staff estimates based on age/sex distributions of United Nations Population Division's World Population Prospects: 2017 Revision. Social Demography 8
SI.SPR.PCAP.ZG Annualized average growth rate in per capita real survey mean consumption or income, total population (%) The growth rate in the welfare aggregate of the total population is computed as the annualized average growth rate in per capita real consumption or income of the total population in the income distribution in a country from household surveys over a roughly 5-year period. Mean per capita real consumption or income is measured at 2011 Purchasing Power Parity (PPP) using the PovcalNet (http://iresearch.worldbank.org/PovcalNet). For some countries means are not reported due to grouped and/or confidential data. The annualized growth rate is computed as (Mean in final year/Mean in initial year)^(1/(Final year - Initial year)) - 1. The reference year is the year in which the underlying household survey data was collected. In cases for which the data collection period bridged two calendar years, the first year in which data were collected is reported. The initial year refers to the nearest survey collected 5 years before the most recent survey available, only surveys collected between 3 and 7 years before the most recent survey are considered. The final year refers to the most recent survey available between 2011 and 2015. Growth rates for Iraq are based on survey means of 2005 PPP$. The coverage and quality of the 2011 PPP price data for Iraq and most other North African and Middle Eastern countries were hindered by the exceptional period of instability they faced at the time of the 2011 exercise of the International Comparison Program. See PovcalNet for detailed explanations. World Bank, Global Database of Shared Prosperity (GDSP) circa 2010-2015 (http://www.worldbank.org/en/topic/poverty/brief/global-database-of-shared-prosperity). Social Poverty & Inequality 9
SI.POV.GINI GINI index (World Bank estimate) Gini index measures the extent to which the distribution of income (or, in some cases, consumption expenditure) among individuals or households within an economy deviates from a perfectly equal distribution. A Lorenz curve plots the cumulative percentages of total income received against the cumulative number of recipients, starting with the poorest individual or household. The Gini index measures the area between the Lorenz curve and a hypothetical line of absolute equality, expressed as a percentage of the maximum area under the line. Thus a Gini index of 0 represents perfect equality, while an index of 100 implies perfect inequality. World Bank, Development Research Group. Data are based on primary household survey data obtained from government statistical agencies and World Bank country departments. For more information and methodology, please see PovcalNet (http://iresearch.worldbank.org/PovcalNet/index.htm). Social Poverty & Inequality 9
SI.DST.FRST.20 Income share held by lowest 20% Percentage share of income or consumption is the share that accrues to subgroups of population indicated by deciles or quintiles. Percentage shares by quintile may not sum to 100 because of rounding. World Bank, Development Research Group. Data are based on primary household survey data obtained from government statistical agencies and World Bank country departments. Data for high-income economies are from the Luxembourg Income Study database. For more information and methodology, please see PovcalNet (http://iresearch.worldbank.org/PovcalNet/index.htm). Social Poverty & Inequality 9
SI.POV.NAHC Poverty headcount ratio at national poverty lines (% of population) National poverty headcount ratio is the percentage of the population living below the national poverty lines. National estimates are based on population-weighted subgroup estimates from household surveys. World Bank, Global Poverty Working Group. Data are compiled from official government sources or are computed by World Bank staff using national (i.e. country–specific) poverty lines. Social Poverty & Inequality 9
SH.DTH.COMM.ZS Cause of death, by communicable diseases and maternal, prenatal and nutrition conditions (% of total) Cause of death refers to the share of all deaths for all ages by underlying causes. Communicable diseases and maternal, prenatal and nutrition conditions include infectious and parasitic diseases, respiratory infections, and nutritional deficiencies such as underweight and stunting. Derived based on the data from WHO's Global Health Estimates. Social Health & Nutrition 10
SH.MED.BEDS.ZS Hospital beds (per 1,000 people) Hospital beds include inpatient beds available in public, private, general, and specialized hospitals and rehabilitation centers. In most cases beds for both acute and chronic care are included. Data are from the World Health Organization, supplemented by country data. Social Health & Nutrition 10
SH.DYN.MORT Mortality rate, under-5 (per 1,000 live births) Under-five mortality rate is the probability per 1,000 that a newborn baby will die before reaching age five, if subject to age-specific mortality rates of the specified year. Estimates Developed by the UN Inter-agency Group for Child Mortality Estimation (UNICEF, WHO, World Bank, UN DESA Population Division) at www.childmortality.org. Social Health & Nutrition 10
SH.STA.OWAD.ZS Prevalence of overweight (% of adults) Prevalence of overweight adults is the percentage of adults ages 18 and over whose Body Mass Index (BMI) is more than 25 kg/m2. Body Mass Index (BMI) is a simple index of weight-for-height, or the weight in kilograms divided by the square of the height in meters. World Health Organization, Global Health Observatory Data Repository (http://apps.who.int/ghodata/). Social Health & Nutrition 10
SN.ITK.DEFC.ZS Prevalence of undernourishment (% of population) Population below minimum level of dietary energy consumption (also referred to as prevalence of undernourishment) shows the percentage of the population whose food intake is insufficient to meet dietary energy requirements continuously. Data showing as 5 may signify a prevalence of undernourishment below 5%. Food and Agriculture Organization (http://www.fao.org/publications/en/). Social Health & Nutrition 10
EG.CFT.ACCS.ZS Access to clean fuels and technologies for cooking (% of population) Access to clean fuels and technologies for cooking is the proportion of total population primarily using clean cooking fuels and technologies for cooking. Under WHO guidelines, kerosene is excluded from clean cooking fuels. World Bank, Sustainable Energy for All (SE4ALL) database from WHO Global Household Energy database. Social Access to Services 11
EG.ELC.ACCS.ZS Access to electricity (% of population) Access to electricity is the percentage of population with access to electricity. Electrification data are collected from industry, national surveys and international sources. World Bank, Sustainable Energy for All (SE4ALL) database from the SE4ALL Global Tracking Framework led jointly by the World Bank, International Energy Agency, and the Energy Sector Management Assistance Program. Social Access to Services 11
SH.H2O.SMDW.ZS People using safely managed drinking water services (% of population) The percentage of people using drinking water from an improved source that is accessible on premises, available when needed and free from faecal and priority chemical contamination. Improved water sources include piped water, boreholes or tubewells, protected dug wells, protected springs, and packaged or delivered water. WHO/UNICEF Joint Monitoring Programme (JMP) for Water Supply, Sanitation and Hygiene (washdata.org). Social Access to Services 11
SH.STA.SMSS.ZS People using safely managed sanitation services (% of population) The percentage of people using improved sanitation facilities that are not shared with other households and where excreta are safely disposed of in situ or transported and treated offsite. Improved sanitation facilities include flush/pour flush to piped sewer systems, septic tanks or pit latrines: ventilated improved pit latrines, compositing toilets or pit latrines with slabs. WHO/UNICEF Joint Monitoring Programme (JMP) for Water Supply, Sanitation and Hygiene (washdata.org). Social Access to Services 11
IC.LGL.CRED.XQ Strength of legal rights index (0=weak to 12=strong) Strength of legal rights index measures the degree to which collateral and bankruptcy laws protect the rights of borrowers and lenders and thus facilitate lending. The index ranges from 0 to 12, with higher scores indicating that these laws are better designed to expand access to credit. World Bank, Doing Business project (http://www.doingbusiness.org/). Governance Human Rights 12
VA.EST Voice and Accountability: Estimate Voice and Accountability captures perceptions of the extent to which a country's citizens are able to participate in selecting their government, as well as freedom of expression, freedom of association, and a free media. Estimate gives the country's score on the aggregate indicator, in units of a standard normal distribution, i.e. ranging from approximately -2.5 to 2.5. Detailed documentation of the WGI, interactive tools for exploring the data, and full access to the underlying source data available at www.govindicators.org.The WGI are produced by Daniel Kaufmann (Natural Resource Governance Institute and Brookings Institution) and Aart Kraay (World Bank Development Research Group). Please cite Kaufmann, Daniel, Aart Kraay and Massimo Mastruzzi (2010). "The Worldwide Governance Indicators: Methodology and Analytical Issues". World Bank Policy Research Working Paper No. 5430 (http://papers.ssrn.com/sol3/papers.cfm?abstract_id=1682130). The WGI do not reflect the official views of the Natural Resource Governance Institute, the Brookings Institution, the World Bank, its Executive Directors, or the countries they represent. Governance Human Rights 12
GE.EST Government Effectiveness: Estimate Government Effectiveness captures perceptions of the quality of public services, the quality of the civil service and the degree of its independence from political pressures, the quality of policy formulation and implementation, and the credibility of the government's commitment to such policies. Estimate gives the country's score on the aggregate indicator, in units of a standard normal distribution, i.e. ranging from approximately -2.5 to 2.5. Detailed documentation of the WGI, interactive tools for exploring the data, and full access to the underlying source data available at www.govindicators.org.The WGI are produced by Daniel Kaufmann (Natural Resource Governance Institute and Brookings Institution) and Aart Kraay (World Bank Development Research Group). Please cite Kaufmann, Daniel, Aart Kraay and Massimo Mastruzzi (2010). "The Worldwide Governance Indicators: Methodology and Analytical Issues". World Bank Policy Research Working Paper No. 5430 (http://papers.ssrn.com/sol3/papers.cfm?abstract_id=1682130). The WGI do not reflect the official views of the Natural Resource Governance Institute, the Brookings Institution, the World Bank, its Executive Directors, or the countries they represent. Governance Government Effectiveness 13
RQ.EST Regulatory Quality: Estimate Regulatory Quality captures perceptions of the ability of the government to formulate and implement sound policies and regulations that permit and promote private sector development. Estimate gives the country's score on the aggregate indicator, in units of a standard normal distribution, i.e. ranging from approximately -2.5 to 2.5. Detailed documentation of the WGI, interactive tools for exploring the data, and full access to the underlying source data available at www.govindicators.org.The WGI are produced by Daniel Kaufmann (Natural Resource Governance Institute and Brookings Institution) and Aart Kraay (World Bank Development Research Group). Please cite Kaufmann, Daniel, Aart Kraay and Massimo Mastruzzi (2010). "The Worldwide Governance Indicators: Methodology and Analytical Issues". World Bank Policy Research Working Paper No. 5430 (http://papers.ssrn.com/sol3/papers.cfm?abstract_id=1682130). The WGI do not reflect the official views of the Natural Resource Governance Institute, the Brookings Institution, the World Bank, its Executive Directors, or the countries they represent. Governance Government Effectiveness 13
CC.EST Control of Corruption: Estimate Control of Corruption captures perceptions of the extent to which public power is exercised for private gain, including both petty and grand forms of corruption, as well as "capture" of the state by elites and private interests. Estimate gives the country's score on the aggregate indicator, in units of a standard normal distribution, i.e. ranging from approximately -2.5 to 2.5. Detailed documentation of the WGI, interactive tools for exploring the data, and full access to the underlying source data available at www.govindicators.org.The WGI are produced by Daniel Kaufmann (Natural Resource Governance Institute and Brookings Institution) and Aart Kraay (World Bank Development Research Group). Please cite Kaufmann, Daniel, Aart Kraay and Massimo Mastruzzi (2010). "The Worldwide Governance Indicators: Methodology and Analytical Issues". World Bank Policy Research Working Paper No. 5430 (http://papers.ssrn.com/sol3/papers.cfm?abstract_id=1682130). The WGI do not reflect the official views of the Natural Resource Governance Institute, the Brookings Institution, the World Bank, its Executive Directors, or the countries they represent. Governance Stability & Rule of Law 14
SM.POP.NETM Net migration Net migration is the net total of migrants during the period, that is, the total number of immigrants less the annual number of emigrants, including both citizens and noncitizens. Data are five-year estimates. United Nations Population Division. World Population Prospects: 2017 Revision. Governance Stability & Rule of Law 14
PV.EST Political Stability and Absence of Violence/Terrorism: Estimate Political Stability and Absence of Violence/Terrorism measures perceptions of the likelihood of political instability and/or politically-motivated violence, including terrorism. Estimate gives the country's score on the aggregate indicator, in units of a standard normal distribution, i.e. ranging from approximately -2.5 to 2.5. Detailed documentation of the WGI, interactive tools for exploring the data, and full access to the underlying source data available at www.govindicators.org.The WGI are produced by Daniel Kaufmann (Natural Resource Governance Institute and Brookings Institution) and Aart Kraay (World Bank Development Research Group). Please cite Kaufmann, Daniel, Aart Kraay and Massimo Mastruzzi (2010). "The Worldwide Governance Indicators: Methodology and Analytical Issues". World Bank Policy Research Working Paper No. 5430 (http://papers.ssrn.com/sol3/papers.cfm?abstract_id=1682130). The WGI do not reflect the official views of the Natural Resource Governance Institute, the Brookings Institution, the World Bank, its Executive Directors, or the countries they represent. Governance Stability & Rule of Law 14
RL.EST Rule of Law: Estimate Rule of Law captures perceptions of the extent to which agents have confidence in and abide by the rules of society, and in particular the quality of contract enforcement, property rights, the police, and the courts, as well as the likelihood of crime and violence. Estimate gives the country's score on the aggregate indicator, in units of a standard normal distribution, i.e. ranging from approximately -2.5 to 2.5. Detailed documentation of the WGI, interactive tools for exploring the data, and full access to the underlying source data available at www.govindicators.org.The WGI are produced by Daniel Kaufmann (Natural Resource Governance Institute and Brookings Institution) and Aart Kraay (World Bank Development Research Group). Please cite Kaufmann, Daniel, Aart Kraay and Massimo Mastruzzi (2010). "The Worldwide Governance Indicators: Methodology and Analytical Issues". World Bank Policy Research Working Paper No. 5430 (http://papers.ssrn.com/sol3/papers.cfm?abstract_id=1682130). The WGI do not reflect the official views of the Natural Resource Governance Institute, the Brookings Institution, the World Bank, its Executive Directors, or the countries they represent. Governance Stability & Rule of Law 14
IC.BUS.EASE.XQ Ease of doing business index (1=most business-friendly regulations) Ease of doing business ranks economies from 1 to 190, with first place being the best. A high ranking (a low numerical rank) means that the regulatory environment is conducive to business operation. The index averages the country's percentile rankings on 10 topics covered in the World Bank's Doing Business. The ranking on each topic is the simple average of the percentile rankings on its component indicators. World Bank, Doing Business project (http://www.doingbusiness.org/). Governance Economic Environment 15
NY.GDP.MKTP.KD.ZG GDP growth (annual %) Annual percentage growth rate of GDP at market prices based on constant local currency. Aggregates are based on constant 2010 U.S. dollars. GDP is the sum of gross value added by all resident producers in the economy plus any product taxes and minus any subsidies not included in the value of the products. It is calculated without making deductions for depreciation of fabricated assets or for depletion and degradation of natural resources. World Bank national accounts data, and OECD National Accounts data files. Governance Economic Environment 15
IT.NET.USER.ZS Individuals using the Internet (% of population) Internet users are individuals who have used the Internet (from any location) in the last 3 months. The Internet can be used via a computer, mobile phone, personal digital assistant, games machine, digital TV etc. International Telecommunication Union, World Telecommunication/ICT Development Report and database. Governance Economic Environment 15
SG.GEN.PARL.ZS Proportion of seats held by women in national parliaments (%) Women in parliaments are the percentage of parliamentary seats in a single or lower chamber held by women. Inter-Parliamentary Union (IPU) (www.ipu.org). Governance Gender 16
SL.TLF.CACT.FM.ZS Ratio of female to male labor force participation rate (%) (modeled ILO estimate) Labor force participation rate is the proportion of the population ages 15 and older that is economically active: all people who supply labor for the production of goods and services during a specified period. Ratio of female to male labor force participation rate is calculated by dividing female labor force participation rate by male labor force participation rate and multiplying by 100. Derived using data from International Labour Organization, ILOSTAT database. Data retrieved in April 2019. Governance Gender 16
SE.ENR.PRSC.FM.ZS School enrollment, primary and secondary (gross), gender parity index (GPI) Gender parity index for gross enrollment ratio in primary and secondary education is the ratio of girls to boys enrolled at primary and secondary levels in public and private schools. UNESCO Institute for Statistics (http://uis.unesco.org/) Governance Gender 16
SP.UWT.TFRT Unmet need for contraception (% of married women ages 15-49) Unmet need for contraception is the percentage of fertile, married women of reproductive age who do not want to become pregnant and are not using contraception. Household surveys, including Demographic and Health Surveys and Multiple Indicator Cluster Surveys. Largely compiled by United Nations Population Division. Governance Gender 16
IP.PAT.RESD Patent applications, residents Patent applications are worldwide patent applications filed through the Patent Cooperation Treaty procedure or with a national patent office for exclusive rights for an invention--a product or process that provides a new way of doing something or offers a new technical solution to a problem. A patent provides protection for the invention to the owner of the patent for a limited period, generally 20 years. World Intellectual Property Organization (WIPO), WIPO Patent Report: Statistics on Worldwide Patent Activity. The International Bureau of WIPO assumes no responsibility with respect to the transformation of these data. Governance Innovation 17
GB.XPD.RSDV.GD.ZS Research and development expenditure (% of GDP) Gross domestic expenditures on research and development (R&D), expressed as a percent of GDP. They include both capital and current expenditures in the four main sectors: Business enterprise, Government, Higher education and Private non-profit. R&D covers basic research, applied research, and experimental development. UNESCO Institute for Statistics (http://uis.unesco.org/) Governance Innovation 17
IP.JRN.ARTC.SC Scientific and technical journal articles Scientific and technical journal articles refer to the number of scientific and engineering articles published in the following fields: physics, biology, chemistry, mathematics, clinical medicine, biomedical research, engineering and technology, and earth and space sciences. National Science Foundation, Science and Engineering Indicators. Governance Innovation 17
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment