rgp230 commited on
Commit
1b539bf
·
1 Parent(s): 232133b

feat(QuestionModel): Complete for deploy

Browse files
src/train_bert/PreProcess_TrainingData.py ADDED
@@ -0,0 +1,92 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+
2
+ from langchain_community.document_loaders import WebBaseLoader
3
+ from langchain_text_splitters import CharacterTextSplitter
4
+
5
+ from langchain_text_splitters import SentenceTransformersTokenTextSplitter
6
+ from transformers import DistilBertTokenizer
7
+ from langchain_huggingface import HuggingFaceEmbeddings
8
+ #import bs4
9
+ from constants import *
10
+ from keybert import KeyBERT
11
+ import pandas as pd
12
+ import re
13
+ import json
14
+ #from langchain_chroma import Chroma
15
+
16
+
17
+
18
+ tokenizer = DistilBertTokenizer.from_pretrained('distilbert-base-uncased')
19
+ splitter = CharacterTextSplitter.from_huggingface_tokenizer(tokenizer,chunk_overlap=50,chunk_size=600)
20
+ kw_model = KeyBERT()
21
+
22
+
23
+ #'globalpartnerships':['capacity-development','finance','multi-stakeholder-partnerships','science','trade','national-sustainable-development-strategies']}
24
+
25
+ def preprocess(text):
26
+ text=re.sub(r'<[^>]*>','',text)
27
+ text=re.sub(r"[^A-Za-z" "]+"," ",text).lower()
28
+ #text=re.sub("[0-9" "]+"," ",text)
29
+ text=re.sub(r'[\W]+',' ',text.lower()).replace('-','')
30
+ if re.findall(text,r'what can i do'):
31
+ text=""
32
+ return text
33
+ def webprofiler(base='https://www.un.org/sustainabledevelopment/',subpage='',\
34
+ GoalNumber=1,GoalLabel=""):
35
+ full_path=base+subpage
36
+ loader=WebBaseLoader(web_paths=[full_path])
37
+ docs=loader.load()
38
+ doc_chunks=splitter.split_documents(docs)
39
+ corpus=[]
40
+ keyword_list=[]
41
+ for d in doc_chunks:
42
+ if "HomeOverview" in d.page_content:continue
43
+ if len(d.page_content)<800:continue #Skips to body of text
44
+ #keywords = kw_model.extract_keywords(d.page_content,keyphrase_ngram_range=(1, 2))
45
+ #for k in keywords:
46
+ # if k[1]<0.45:continue
47
+ # keyword_list.append(k[0])
48
+ sents=re.split(r'[.!?]+', d.page_content)
49
+ if sents[-1]=="Links":break #End of page
50
+ for s in sents:
51
+ single_sentances=s.split('.')
52
+ for ss in single_sentances:
53
+ if 'please visit this link' in ss:continue
54
+ if len(ss.split())<7:continue #ignore sentence fragments with few words
55
+ #print(ss, len(ss))
56
+ #if len(ss)>14:
57
+ corpus.append(ss.lower())
58
+ for t in corpus:
59
+ keywords = kw_model.extract_keywords(t,keyphrase_ngram_range=(1, 2))
60
+ keyword_list.append(keywords[0][0])
61
+ df=pd.DataFrame(data={'text_data':corpus,'source':full_path})
62
+ df['text_data'] = df.text_data.apply(preprocess)
63
+ df['best_key_word']=keyword_list
64
+ mask=df['text_data'].str.len()>14 #ignore fragments with very few char
65
+ df_filtered=df[mask]
66
+ text=df_filtered.text_data.to_list()
67
+ df_filtered['category']='Goal %d: %s' %(GoalNumber,GoalLabel)
68
+ df_filtered['label']=GoalNumber
69
+ keyword_list=set(keyword_list)
70
+ return df_filtered,keyword_list
71
+
72
+ if __name__ == '__main__':
73
+ goal_count=1
74
+ keyword_dict={}
75
+ for i,v in sdg_goals.items():
76
+ #if i!='globalpartnerships':continue
77
+ print("source: https://www.un.org/sustainabledevelopment/%s" %i)
78
+ print("Goal %d: %s" %(goal_count,v))
79
+ df_un,un_keyword=webprofiler(subpage=i,GoalNumber=goal_count,GoalLabel=v)
80
+ features_list=[df_un]
81
+ for subpage in sdg_topics[i]:
82
+ df_unsdg,new_keywords=webprofiler(base='https://sdgs.un.org/topics/',subpage=subpage,GoalNumber=goal_count,GoalLabel=v)
83
+ un_keyword=un_keyword.union(new_keywords)
84
+ features_list.append(df_unsdg)
85
+ df_all=pd.concat(features_list)
86
+ keyword_dict[i]=list(un_keyword)
87
+ df_all.to_csv("training_data/FeatureSet_%d.csv" %goal_count)
88
+ #print(df_all.head())
89
+ goal_count+=1
90
+ #break;
91
+ with open('training_data/KeywordPayload.json','w') as fp:
92
+ json.dump(keyword_dict, fp)
src/train_bert/constants.py ADDED
@@ -0,0 +1,27 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ sdg_goals={'poverty':'End poverty in all its forms everywhere','hunger':'Zero Hunger',\
2
+ 'health':'Good Health and Well-Being','education':'Quality Education',\
3
+ 'gender-equality':'Gender Equality','water-and-sanitation':'Clean Water and Sanitation',\
4
+ 'energy':'Affordable and Clean Energy','economic-growth':'Decent Work and Economic Growth',\
5
+ 'infrastructure-industrialization': 'Industries,Innovation, and Infrastructure',\
6
+ 'inequality':'Reduced Inequalities','cities':'Sustainable Cities and Communities',\
7
+ 'sustainable-consumption-production':'Responsible Consumption and Production',\
8
+ 'climate-change':'Climate Action','oceans':'Life Below Water','biodiversity':'Life on Land',\
9
+ 'peace-justice':'Peace, Justice, and Strong Instiutions', 'globalpartnerships':'Partnerships for the Goals'
10
+ }
11
+ sdg_topics={'poverty':['poverty-eradication'],
12
+ 'hunger':['rural-development','food-security-and-nutrition-and-sustainable-agriculture'],\
13
+ 'health':['health-and-population'],\
14
+ 'education':['education'],\
15
+ 'gender-equality':['gender-equality-and-womens-empowerment'],\
16
+ 'water-and-sanitation':['water-and-sanitation'],\
17
+ 'energy':['energy'],\
18
+ 'economic-growth':['employment-decent-work-all-and-social-protection'],\
19
+ 'infrastructure-industrialization':['industry'],\
20
+ 'inequality':[],\
21
+ 'cities':['sustainable-cities-and-human-settlements'],\
22
+ 'sustainable-consumption-production':[],\
23
+ 'climate-change':['green-economy'],\
24
+ 'oceans':['oceans-and-seas','small-island-developing-states'],\
25
+ 'biodiversity':['biodiversity-and-ecosystems','forests','mountains','desertification-land-degradation-and-drought'],\
26
+ 'peace-justice':['institutional-frameworks-and-international-cooperation-sustainable-development','violence-against-children'],\
27
+ 'globalpartnerships':[]}
src/train_bert/train_classifier.py ADDED
@@ -0,0 +1,112 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ from datasets import Dataset
2
+ import numpy as np
3
+ import pandas as pd
4
+ import tensorflow as tf
5
+ #import matplotlib.pyplot as plt
6
+ from sklearn.model_selection import train_test_split
7
+ from transformers import DistilBertTokenizerFast, TFDistilBertForSequenceClassification
8
+ from sklearn.metrics import classification_report
9
+ from transformers import AutoModelForSequenceClassification, Trainer, TrainingArguments, DataCollatorWithPadding
10
+ from transformers import AutoTokenizer
11
+ import matplotlib.pyplot as plt
12
+ from sklearn.metrics import ConfusionMatrixDisplay
13
+ tokenizer = AutoTokenizer.from_pretrained("distilbert-base-uncased")
14
+
15
+ def load_training(basepath='training_data/'):
16
+ training_data=[]
17
+ testing_data=[]
18
+ for i in range(17):
19
+ df=pd.read_csv(basepath+"FeatureSet_%d.csv" %(i+1))
20
+ train_df, test_df = train_test_split(df, test_size=0.2, random_state=42)#Split based on each category
21
+ train_df['label']=train_df['label']-1
22
+ test_df['label']=test_df['label']-1
23
+ training_data.append(train_df)
24
+ testing_data.append(test_df)
25
+ train_df=pd.concat(training_data)
26
+ test_df=pd.concat(testing_data)
27
+ return train_df,test_df
28
+
29
+
30
+ def tokenize_data(examples):
31
+ return tokenizer(examples["text_data"], truncation=True, padding=True)
32
+
33
+ def buildtraining(train_df, test_df,save_directory='topic_classifier_model'):
34
+ train_dataset = Dataset.from_pandas(train_df)#These are arrow files
35
+ test_dataset = Dataset.from_pandas(test_df)#These are arrow files
36
+ tokenized_train = train_dataset.map(tokenize_data, batched=True)
37
+ tokenized_test = test_dataset.map(tokenize_data, batched=True)
38
+ data_collator = DataCollatorWithPadding(tokenizer=tokenizer)
39
+ training_args = TrainingArguments(
40
+ output_dir="./distilbert_results",
41
+ learning_rate=2e-5, #Small learning rate
42
+ per_device_train_batch_size=8,
43
+ per_device_eval_batch_size=8,
44
+ num_train_epochs=15,
45
+ warmup_steps=5,
46
+ weight_decay=0.2, #Bigger means more regularization for over-fitting
47
+ logging_strategy="epoch"
48
+ )
49
+ labels = train_df["label"].unique()
50
+ cat = train_df["category"].unique()
51
+
52
+ # Create label-to-id and id-to-label mappings
53
+ label2id = {cat[idx]: idx for idx, categ in enumerate(labels)}
54
+ id2label = {idx: cat[idx] for idx, categ in enumerate(labels)}
55
+ # Define Trainer object for training the model
56
+ model = AutoModelForSequenceClassification.from_pretrained("distilbert-base-uncased",
57
+ num_labels=len(labels),label2id=label2id,id2label=id2label)
58
+ trainer = Trainer(
59
+ model=model,
60
+ args=training_args,
61
+ train_dataset=tokenized_train,
62
+ eval_dataset=tokenized_test,
63
+ tokenizer=tokenizer,
64
+ data_collator=data_collator,
65
+ compute_metrics='balanced_accuracy_score'
66
+
67
+ )
68
+
69
+ # Train the model
70
+ trainer.train()
71
+
72
+ # Save the trained model
73
+ trainer.save_model(save_directory)
74
+
75
+ def prediction_metrics(test_df,save_directory='topic_classifier_model'):
76
+
77
+ save_directory=save_directory
78
+ loaded_tokenizer = DistilBertTokenizerFast.from_pretrained(save_directory)
79
+ loaded_model = TFDistilBertForSequenceClassification.from_pretrained(save_directory)
80
+ test_text=test_df['text_data'].to_list()
81
+ #test_dataset = Dataset.from_pandas(test_df)#These are arrow files
82
+ #tokenized_test = test_dataset.map(tokenize_data, batched=True)
83
+ #print(type(tokenized_test['text_data']))
84
+ #print(tokenized_test['text_data'][0])
85
+
86
+ labels=test_df['label'].to_list()
87
+ cat = test_df["category"].unique()
88
+ #for l in tokenized_test['text_data']:print(l)
89
+ predict_input = loaded_tokenizer(
90
+ text=test_text,
91
+ truncation=True,
92
+ padding=True,
93
+ return_tensors="tf")
94
+
95
+ output = loaded_model(predict_input)[0]
96
+ #print(output)
97
+ prediction_value = tf.argmax(output, axis=1).numpy()#All answers
98
+ #print(prediction_value)
99
+
100
+ accuracy = np.mean(prediction_value == np.array(labels))
101
+ print(f"\nAccuracy: {accuracy:.4f}")
102
+ print(classification_report(np.array(labels), prediction_value))
103
+ ConfusionMatrixDisplay.from_predictions(y_true=np.array(labels), y_pred=prediction_value,display_labels=cat)
104
+ plt.show()
105
+
106
+
107
+ if __name__ == '__main__':
108
+ train_df,test_df=load_training(basepath='training_data/')
109
+ buildtraining(train_df, test_df)
110
+ prediction_metrics(test_df)
111
+
112
+
src/train_bert/training_data/FeatureSet_1.csv ADDED
@@ -0,0 +1,157 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ ,text_data,source,best_key_word,category,label
2
+ 0,eradicating extreme poverty for all people everywhere by is a pivotal goal of the agenda for sustainable development,https://www.un.org/sustainabledevelopment/poverty,extreme poverty,Goal 1: End poverty in all its forms everywhere,1
3
+ 1, extreme poverty defined as surviving on less than ,https://www.un.org/sustainabledevelopment/poverty,extreme poverty,Goal 1: End poverty in all its forms everywhere,1
4
+ 2, per person per day at purchasing power parity has witnessed remarkable declines over recent decades,https://www.un.org/sustainabledevelopment/poverty,power parity,Goal 1: End poverty in all its forms everywhere,1
5
+ 3, however the emergence of covid marked a turning point reversing these gains as the number of individuals living in extreme poverty increased for the first time in a generation by almost million over previous predictions,https://www.un.org/sustainabledevelopment/poverty,poverty increased,Goal 1: End poverty in all its forms everywhere,1
6
+ 4, even prior to the pandemic the momentum of poverty reduction was slowing down,https://www.un.org/sustainabledevelopment/poverty,momentum poverty,Goal 1: End poverty in all its forms everywhere,1
7
+ 5, by the end of nowcasting suggested that ,https://www.un.org/sustainabledevelopment/poverty,2022 nowcasting,Goal 1: End poverty in all its forms everywhere,1
8
+ 6, per cent of the world s population or as many as million people could still be living in extreme poverty,https://www.un.org/sustainabledevelopment/poverty,world population,Goal 1: End poverty in all its forms everywhere,1
9
+ 7, this setback effectively erased approximately three years of progress in poverty alleviation,https://www.un.org/sustainabledevelopment/poverty,poverty alleviation,Goal 1: End poverty in all its forms everywhere,1
10
+ 8, if current patterns persist an estimated of the global population around million people could still find themselves trapped in extreme poverty by with a significant concentration in sub saharan africa,https://www.un.org/sustainabledevelopment/poverty,poverty 2030,Goal 1: End poverty in all its forms everywhere,1
11
+ 9, a shocking revelation is the resurgence of hunger levels to those last observed in ,https://www.un.org/sustainabledevelopment/poverty,hunger levels,Goal 1: End poverty in all its forms everywhere,1
12
+ 10, equally concerning is the persistent increase in food prices across a larger number of countries compared to the period from to ,https://www.un.org/sustainabledevelopment/poverty,food prices,Goal 1: End poverty in all its forms everywhere,1
13
+ 11, this dual challenge of poverty and food security poses a critical global concern,https://www.un.org/sustainabledevelopment/poverty,food security,Goal 1: End poverty in all its forms everywhere,1
14
+ 12, why is there so much poverty poverty has many dimensions but its causes include unemployment social exclusion and high vulnerability of certain populations to disasters diseases and other phenomena which prevent them from being productive,https://www.un.org/sustainabledevelopment/poverty,poverty dimensions,Goal 1: End poverty in all its forms everywhere,1
15
+ 13, why should i care about other people s economic situation,https://www.un.org/sustainabledevelopment/poverty,care people,Goal 1: End poverty in all its forms everywhere,1
16
+ 14, there are many reasons but in short because as human beings our well being is linked to each other,https://www.un.org/sustainabledevelopment/poverty,human beings,Goal 1: End poverty in all its forms everywhere,1
17
+ 15, growing inequality is detrimental to economic growth and undermines social cohesion increas ing political and social tensions and in some circumstances driving instability and conflicts,https://www.un.org/sustainabledevelopment/poverty,growth undermines,Goal 1: End poverty in all its forms everywhere,1
18
+ 16, strong social protection systems are essential for mitigating the effects and preventing many people from falling into poverty,https://www.un.org/sustainabledevelopment/poverty,social protection,Goal 1: End poverty in all its forms everywhere,1
19
+ 17, the covid pandemic had both immediate and long term economic consequences for people across the globe and despite the expansion of social protection during the covid crisis per cent of the world s population about billion people are entirely unprotected,https://www.un.org/sustainabledevelopment/poverty,19 pandemic,Goal 1: End poverty in all its forms everywhere,1
20
+ 18, in response to the cost of living crisis countries and territories announced almost social protection measures between february and february ,https://www.un.org/sustainabledevelopment/poverty,social protection,Goal 1: End poverty in all its forms everywhere,1
21
+ 19, yet per cent of these were short term in nature and to achieve the goals countries will need to implement nationally appropriate universal and sustainble social protection systems for all,https://www.un.org/sustainabledevelopment/poverty,social protection,Goal 1: End poverty in all its forms everywhere,1
22
+ 20, your active engagement in policymaking can make a difference in addressing poverty,https://www.un.org/sustainabledevelopment/poverty,engagement policymaking,Goal 1: End poverty in all its forms everywhere,1
23
+ 21, it ensures that your rights are promoted and that your voice is heard that inter generational knowledge is shared and that innovation and critical thinking are encouraged at all ages to support transformational change in people s lives and communities,https://www.un.org/sustainabledevelopment/poverty,innovation critical,Goal 1: End poverty in all its forms everywhere,1
24
+ 22, governments can help create an enabling environment to generate pro productive employment and job opportunities for the poor and the marginalized,https://www.un.org/sustainabledevelopment/poverty,governments help,Goal 1: End poverty in all its forms everywhere,1
25
+ 23, the private sector has a major role to play in determining whether the growth it creates is inclusive and contributes to poverty reduction,https://www.un.org/sustainabledevelopment/poverty,private sector,Goal 1: End poverty in all its forms everywhere,1
26
+ 24, it can promote economic opportunities for the poor,https://www.un.org/sustainabledevelopment/poverty,promote economic,Goal 1: End poverty in all its forms everywhere,1
27
+ 25, the contribution of science to end poverty has been significant,https://www.un.org/sustainabledevelopment/poverty,end poverty,Goal 1: End poverty in all its forms everywhere,1
28
+ 26, for example it has enabled access to safe drinking water reduced deaths caused by water borne diseases and improved hygiene to reduce health risks related to unsafe drinking water and lack of sanitation,https://www.un.org/sustainabledevelopment/poverty,sanitation,Goal 1: End poverty in all its forms everywhere,1
29
+ 27, facts and figuresgoal targetslinksfacts and figures,https://www.un.org/sustainabledevelopment/poverty,figuresgoal targetslinksfacts,Goal 1: End poverty in all its forms everywhere,1
30
+ 28,if current trends continue million people will still be living in extreme poverty and only one third of countries will have halved their national poverty levels by ,https://www.un.org/sustainabledevelopment/poverty,extreme poverty,Goal 1: End poverty in all its forms everywhere,1
31
+ 29, despite the expansion of social protection during the covid crisis over billion people remain entirely unprotected,https://www.un.org/sustainabledevelopment/poverty,protection covid,Goal 1: End poverty in all its forms everywhere,1
32
+ 30, many of the world s vulnerable population groups including the young and the elderly remain uncovered by statutory social protection programmes,https://www.un.org/sustainabledevelopment/poverty,vulnerable population,Goal 1: End poverty in all its forms everywhere,1
33
+ 31, the share of government spending on essential services such as education health and social protection is significantly higher in advanced economies than in emerging and developing economies,https://www.un.org/sustainabledevelopment/poverty,government spending,Goal 1: End poverty in all its forms everywhere,1
34
+ 32, a surge in action and investment to enhance economic opportunities improve education and extend social protection to all particularly the most excluded is crucial to delivering on the central commitment to end poverty and leave no one behind,https://www.un.org/sustainabledevelopment/poverty,end poverty,Goal 1: End poverty in all its forms everywhere,1
35
+ 33, the global poverty headcount ratio at ,https://www.un.org/sustainabledevelopment/poverty,poverty headcount,Goal 1: End poverty in all its forms everywhere,1
36
+ 34, is revised slightly up by ,https://www.un.org/sustainabledevelopment/poverty,15 revised,Goal 1: End poverty in all its forms everywhere,1
37
+ 35, percent resulting in a revision in the number of poor people from to million,https://www.un.org/sustainabledevelopment/poverty,number poor,Goal 1: End poverty in all its forms everywhere,1
38
+ 36, world bank source the sustainable development goals report goal targets ,https://www.un.org/sustainabledevelopment/poverty,sustainable development,Goal 1: End poverty in all its forms everywhere,1
39
+ 37, by eradicate extreme poverty for all people everywhere currently measured as people living on less than ,https://www.un.org/sustainabledevelopment/poverty,extreme poverty,Goal 1: End poverty in all its forms everywhere,1
40
+ 38, by reduce at least by half the proportion of men women and children of all ages living in poverty in all its dimensions according to national definitions ,https://www.un.org/sustainabledevelopment/poverty,2030 reduce,Goal 1: End poverty in all its forms everywhere,1
41
+ 39, implement nationally appropriate social protection systems and measures for all including floors and by achieve substantial coverage of the poor and the vulnerable ,https://www.un.org/sustainabledevelopment/poverty,social protection,Goal 1: End poverty in all its forms everywhere,1
42
+ 40, by ensure that all men and women in particular the poor and the vulnerable have equal rights to economic resources as well as access to basic services ownership and control over land and other forms of property inheritance natural resources appropriate new technology and financial services including microfinance ,https://www.un.org/sustainabledevelopment/poverty,microfinance,Goal 1: End poverty in all its forms everywhere,1
43
+ 41, by build the resilience of the poor and those in vulnerable situations and reduce their exposure and vulnerability to climate related extreme events and other economic social and environmental shocks and disasters ,https://www.un.org/sustainabledevelopment/poverty,resilience poor,Goal 1: End poverty in all its forms everywhere,1
44
+ 42,a ensure significant mobilization of resources from a variety of sources including through enhanced development cooperation in order to provide adequate and predictable means for developing countries in particular least developed countries to implement programmes and policies to end poverty in all its dimensions ,https://www.un.org/sustainabledevelopment/poverty,developing countries,Goal 1: End poverty in all its forms everywhere,1
45
+ 43,b create sound policy frameworks at the national regional and international levels based on pro poor and gender sensitive development strategies to support accelerated investment in poverty eradication actions links united nations development programme world bank un children s fund international monetary fund un global compact unesco un international strategy for disaster reduction fast facts no poverty infographic no poverty related news droughts are causing record devastation worldwide un backed report reveals gallery,https://www.un.org/sustainabledevelopment/poverty,poverty eradication,Goal 1: End poverty in all its forms everywhere,1
46
+ 44,united nations development programme world bank un children s fund international monetary fund un global compact unesco un international strategy for disaster reduction fast facts no poverty infographic no poverty related news droughts are causing record devastation worldwide un backed report reveals gallery droughts are causing record devastation worldwide un backed report revealsdpicampaigns t jul worldwide some of the most widespread and damaging drought events in recorded history have occurred in recent years due to climate change and resource depletion,https://www.un.org/sustainabledevelopment/poverty,damaging drought,Goal 1: End poverty in all its forms everywhere,1
47
+ 45, read full story on un news you have to be able to rule your life the care revolution in latin america gallery you have to be able to rule your life the care revolution in latin americadpicampaigns t jul globally there are ,https://www.un.org/sustainabledevelopment/poverty,care revolution,Goal 1: End poverty in all its forms everywhere,1
48
+ 46, billion hours of work that the world never pays for because it barely even sees these duties,https://www.un.org/sustainabledevelopment/poverty,world pays,Goal 1: End poverty in all its forms everywhere,1
49
+ 47, indigenous youth meet trailblazers ahead of nelson mandela day gallery indigenous youth meet trailblazers ahead of nelson mandela daydpicampaigns t jul a group of indigenous youth from the united states some as young as seven visited the united nations headquarters in new york this week for the first time,https://www.un.org/sustainabledevelopment/poverty,indigenous youth,Goal 1: End poverty in all its forms everywhere,1
50
+ 48, nextload more postsrelated videosdpicampaigns t droughts are causing record devastation worldwide un backed report revealsdpicampaigns t jul goal climate action news worldwide some of the most widespread and damaging drought events in recorded history have occurred in recent years due to climate change and resource depletion,https://www.un.org/sustainabledevelopment/poverty,drought events,Goal 1: End poverty in all its forms everywhere,1
51
+ 49, read full story on un newsdpicampaigns t you have to be able to rule your life the care revolution in latin americadpicampaigns t jul news globally there are ,https://www.un.org/sustainabledevelopment/poverty,care revolution,Goal 1: End poverty in all its forms everywhere,1
52
+ 50, billion hours of work that the world never pays for because it barely even sees these duties,https://www.un.org/sustainabledevelopment/poverty,world pays,Goal 1: End poverty in all its forms everywhere,1
53
+ 51, dpicampaigns t indigenous youth meet trailblazers ahead of nelson mandela daydpicampaigns t jul news a group of indigenous youth from the united states some as young as seven visited the united nations headquarters in new york this week for the first time,https://www.un.org/sustainabledevelopment/poverty,indigenous youth,Goal 1: End poverty in all its forms everywhere,1
54
+ 52, dpicampaigns t pakistan reels under monsoon deluge as death toll climbsdpicampaigns t jul goal climate action news pakistan s monsoon emergency deepened on thursday as authorities declared disaster zones across parts of eastern punjab province after lethal cloudbursts and flash floods killed dozens in a single day,https://www.un.org/sustainabledevelopment/poverty,monsoon emergency,Goal 1: End poverty in all its forms everywhere,1
55
+ 53, read full story on un news nextload more posts the goals read moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread more sdg resources across the unsustainable development knowledge platform united nations sustainable development group united to reform united nations homepage sdg media zone un newsdroughts are causing record devastation worldwide un backed report revealspakistan reels under monsoon deluge as death toll climbsworld horse day honoring humanity s oldest and most loyal companionoverlooked and underestimated sand and dust storms wreak havoc across borders follow us united nations a z site index contact copyright faq fraud alert privacy notice terms of use,https://www.un.org/sustainabledevelopment/poverty,united nations,Goal 1: End poverty in all its forms everywhere,1
56
+ 0,poverty eradication department of economic and social affairs sorry you need to enable javascript to visit this website,https://sdgs.un.org/topics/poverty-eradication,poverty eradication,Goal 1: End poverty in all its forms everywhere,1
57
+ 1, skip to main content welcome to the united nations englishfran ais espa ol department of economic and social affairs sustainable development main navigation home sdg knowledge sustainable development goals key topics agenda capacity development publications natural resources forum intergovernmental processes high level political forum on sustainable development un conferences and high level events related to sustainable development multi stakeholder forum on science technology and innovation for the sdgs second committee of the un general assembly samoa pathway ecosoc partnership forum hlpf sids th international conference on small island developing states small island developing states multidimensional vulnerability index for sids united nations sids partnerships awards sids partnership framework sdg actions sdg actions platform faq about the submission of voluntary commitments sdg actions engage events webinars member states un system stakeholder engagement news about topics poverty eradication related sdgs end poverty in all its forms everywhere ,https://sdgs.un.org/topics/poverty-eradication,sustainable development,Goal 1: End poverty in all its forms everywhere,1
58
+ 2, description publications events documents statements milestones description,https://sdgs.un.org/topics/poverty-eradication,description publications,Goal 1: End poverty in all its forms everywhere,1
59
+ 3,engage events webinars member states un system stakeholder engagement news about topics poverty eradication related sdgs end poverty in all its forms everywhere ,https://sdgs.un.org/topics/poverty-eradication,topics poverty,Goal 1: End poverty in all its forms everywhere,1
60
+ 4, description publications events documents statements milestones description the agenda acknowledges that eradicating poverty in all its forms and dimensions including extreme poverty is the greatest global challenge and an indispensable requirement for sustainable development,https://sdgs.un.org/topics/poverty-eradication,eradicating poverty,Goal 1: End poverty in all its forms everywhere,1
61
+ 5, the first sustainable development goal aims to end poverty in all its forms everywhere ,https://sdgs.un.org/topics/poverty-eradication,sustainable development,Goal 1: End poverty in all its forms everywhere,1
62
+ 6, its seven associated targets aims among others to eradicate extreme poverty for all people everywhere reduce at least by half the proportion of men women and children of all ages living in poverty and implement nationally appropriate social protection systems and measures for all including floors and by achieve substantial coverage of the poor and the vulnerable as recalled by the foreword of the millennium development goals report at the millennium summit in september countries unanimously adopted the millennium declaration pledging to spare no effort to free our fellow men women and children from the abject and dehumanizing conditions of extreme poverty ,https://sdgs.un.org/topics/poverty-eradication,extreme poverty,Goal 1: End poverty in all its forms everywhere,1
63
+ 7, this commitment was translated into an inspiring framework of eight goals and then into wide ranging practical steps that have enabled people across the world to improve their lives and their future prospects,https://sdgs.un.org/topics/poverty-eradication,improve lives,Goal 1: End poverty in all its forms everywhere,1
64
+ 8, the mdgs helped to lift more than one billion people out of extreme poverty to make inroads against hunger to enable more girls to attend school than ever before and to protect our planet,https://sdgs.un.org/topics/poverty-eradication,mdgs,Goal 1: End poverty in all its forms everywhere,1
65
+ 9, nevertheless in spite of all the remarkable gains inequalities have persisted and progress has been uneven,https://sdgs.un.org/topics/poverty-eradication,inequalities persisted,Goal 1: End poverty in all its forms everywhere,1
66
+ 10, therefore the agenda for sustainable development and its set of sustainable development goals have been committed as stated in the declaration of the agenda to build upon the achievements of the millennium development goals and seek to address their unfinished business ,https://sdgs.un.org/topics/poverty-eradication,agenda sustainable,Goal 1: End poverty in all its forms everywhere,1
67
+ 11, the theme of the high level political forum was eradicating poverty and promoting prosperity in a changing worl and it included sdg as one of the focus sdgs from agenda to future we want in the future we want the outcome document of rio member states emphasized the need to accord the highest priority to poverty eradication within the united nations development agenda addressing the root causes and challenges of poverty through integrated coordinated and coherent strategies at all level,https://sdgs.un.org/topics/poverty-eradication,poverty eradication,Goal 1: End poverty in all its forms everywhere,1
68
+ 12, in the context of the multi year programme of work adopted by the commission on sustainable development csd after the world summit on sustainable development wssd poverty eradication appears as an overriding issue on the agenda of the csd each year,https://sdgs.un.org/topics/poverty-eradication,poverty eradication,Goal 1: End poverty in all its forms everywhere,1
69
+ 13, poverty eradication is addressed in chapter ii of the johannesburg plan of implementation which stressed that eradicating poverty is the greatest global challenge facing the world today and an indispensable requirement for sustainable development particularly for developing countries,https://sdgs.un.org/topics/poverty-eradication,poverty eradication,Goal 1: End poverty in all its forms everywhere,1
70
+ 14,improving access to sustainable livelihoods entrepreneurial opportunities and productive resources providing universal access to basic social services progressively developing social protection systems to support those who cannot support themselves empowering people living in poverty and their organizations addressing the disproportionate impact of poverty on women working with interested donors and recipients to allocate increased shares of oda to poverty eradication and intensifying international cooperation for poverty eradication,https://sdgs.un.org/topics/poverty-eradication,poverty eradication,Goal 1: End poverty in all its forms everywhere,1
71
+ 15, the general assembly in its programme for the further implementation of agenda paragraph decided that poverty eradication should be an overriding theme of sustainable development for the coming years,https://sdgs.un.org/topics/poverty-eradication,poverty eradication,Goal 1: End poverty in all its forms everywhere,1
72
+ 16, it is one of the fundamental goals of the international community and of the entire united nations system,https://sdgs.un.org/topics/poverty-eradication,united nations,Goal 1: End poverty in all its forms everywhere,1
73
+ 17, combating poverty is the topic of chapter of agenda ,https://sdgs.un.org/topics/poverty-eradication,combating poverty,Goal 1: End poverty in all its forms everywhere,1
74
+ 18, it is also in commitment of the copenhagen declaration on social development,https://sdgs.un.org/topics/poverty-eradication,commitment copenhagen,Goal 1: End poverty in all its forms everywhere,1
75
+ 19, agenda emphasized that poverty is a complex multidimensional problem with origins in both the national and international domains,https://sdgs.un.org/topics/poverty-eradication,poverty complex,Goal 1: End poverty in all its forms everywhere,1
76
+ 20, no uniform solution can be found for global application,https://sdgs.un.org/topics/poverty-eradication,uniform solution,Goal 1: End poverty in all its forms everywhere,1
77
+ 21, rather country specific programmes to tackle poverty and international efforts supporting national efforts as well as the parallel process of creating a supportive international environment are crucial for a solution to this problem,https://sdgs.un.org/topics/poverty-eradication,international efforts,Goal 1: End poverty in all its forms everywhere,1
78
+ 22, the years following the rio conference have witnessed an increase in the number of people living in absolute poverty particularly in developing countries,https://sdgs.un.org/topics/poverty-eradication,poverty,Goal 1: End poverty in all its forms everywhere,1
79
+ 23, the enormity and complexity of the poverty issue could endanger the social fabric undermine economic development and the environment and threaten political stability in many countries,https://sdgs.un.org/topics/poverty-eradication,complexity poverty,Goal 1: End poverty in all its forms everywhere,1
80
+ 24, questions therefore have arisen whether these setbacks will have a permanent effect jeopardizing progress towards the sustainable development goals sdgs ,https://sdgs.un.org/topics/poverty-eradication,sustainable development,Goal 1: End poverty in all its forms everywhere,1
81
+ 25, read the document a free world from child poverty while there is great diversity in the almost countries in which children live there is much about children and their childhoods that are universal in almost every country in the world richer countries and poorer children are more likely to be living in poverty than adults and everywhere t,https://sdgs.un.org/topics/poverty-eradication,child poverty,Goal 1: End poverty in all its forms everywhere,1
82
+ 26, read the document transforming our world the agenda for sustainable development this agenda is a plan of action for people planet and prosperity,https://sdgs.un.org/topics/poverty-eradication,agenda sustainable,Goal 1: End poverty in all its forms everywhere,1
83
+ 27, it also seeks to strengthen universal peace in larger freedom we recognize that eradicating poverty in all its forms and dimensions including extreme poverty is the greatest global challenge and an indispensable requirement for su,https://sdgs.un.org/topics/poverty-eradication,eradicating poverty,Goal 1: End poverty in all its forms everywhere,1
84
+ 28,children of the recession the impact of the economic crisis on child well being in rich countries innocenti report card twenty five years after the convention on the rights of the child became international law many of its commitments remain unrealized and the developed countries most capable of delivering on them are losing ground,https://sdgs.un.org/topics/poverty-eradication,children recession,Goal 1: End poverty in all its forms everywhere,1
85
+ 29, the great recession which was triggered by a financial meltdown that started in th,https://sdgs.un.org/topics/poverty-eradication,great recession,Goal 1: End poverty in all its forms everywhere,1
86
+ 30, read the document human development report as successive human development reports have shown most people in most countries have been doing steadily better in human development,https://sdgs.un.org/topics/poverty-eradication,human development,Goal 1: End poverty in all its forms everywhere,1
87
+ 31, advances in technology education and incomes hold ever greater promise for longer healthier more secure lives,https://sdgs.un.org/topics/poverty-eradication,education incomes,Goal 1: End poverty in all its forms everywhere,1
88
+ 32, globalization has on balance produced major human ,https://sdgs.un.org/topics/poverty-eradication,globalization balance,Goal 1: End poverty in all its forms everywhere,1
89
+ 33, read the document a measured approach to ending poverty and boosting shared prosperity this policy research report is structured in three parts mirroring the three broad aims of the report,https://sdgs.un.org/topics/poverty-eradication,prosperity policy,Goal 1: End poverty in all its forms everywhere,1
90
+ 34, the first part provides a general overview of the conceptual underpinnings of the two goals and their assessment,https://sdgs.un.org/topics/poverty-eradication,goals assessment,Goal 1: End poverty in all its forms everywhere,1
91
+ 35, chapter describes the world bank s approach to poverty measurement and assesses ,https://sdgs.un.org/topics/poverty-eradication,poverty measurement,Goal 1: End poverty in all its forms everywhere,1
92
+ 36, read the document a new global partnership eradicate poverty and transform economies through sustainable development the panel came together with a sense of optimism and a deep respect for the millennium development goals mdgs ,https://sdgs.un.org/topics/poverty-eradication,millennium development,Goal 1: End poverty in all its forms everywhere,1
93
+ 37, the years since the millennium have seen the fastest reduction in poverty in human history there are half a billion fewer people living below an international poverty line of ,https://sdgs.un.org/topics/poverty-eradication,reduction poverty,Goal 1: End poverty in all its forms everywhere,1
94
+ 38, read the document china sustainable development report the road to ecological civilization the next decade ,https://sdgs.un.org/topics/poverty-eradication,china sustainable,Goal 1: End poverty in all its forms everywhere,1
95
+ 39, read the document argentina foreign investment and sustainable development in argentina foreign direct investment fdi has played a major role in argentina s during the s a period of deep structural reforms largely based on the neoliberal washington consensus argentina was one of the main destinations for fdi among emerging markets,https://sdgs.un.org/topics/poverty-eradication,development argentina,Goal 1: End poverty in all its forms everywhere,1
96
+ 40, read the document russia the th human development report for the russian federation energy sector and sustainable development the national human development report nhdp for the russian federation entitled energy sector and sustainable development outlines issues associated with a prime concern in russia today which is development of the fuel energy sector,https://sdgs.un.org/topics/poverty-eradication,energy sector,Goal 1: End poverty in all its forms everywhere,1
97
+ 41, the authors provide a detailed analysis of the situat,https://sdgs.un.org/topics/poverty-eradication,analysis situat,Goal 1: End poverty in all its forms everywhere,1
98
+ 42, read the document turkey s sustainable development report claiming the future turkey has prepared for the united nations conference on sustainable development rio assembled in rio de janeiro in june being aware of the fact that turkey is an actor which should be more sensitive and effective to solve global problems based on its rapid change and development trend es,https://sdgs.un.org/topics/poverty-eradication,turkey sustainable,Goal 1: End poverty in all its forms everywhere,1
99
+ 43, read the document south africa the challenge of sustainable development ,https://sdgs.un.org/topics/poverty-eradication,sustainable development,Goal 1: End poverty in all its forms everywhere,1
100
+ 44, read the document pagination next page last last page events see all events may fri mon ,https://sdgs.un.org/topics/poverty-eradication,page events,Goal 1: End poverty in all its forms everywhere,1
101
+ 45,south africa the challenge of sustainable development ,https://sdgs.un.org/topics/poverty-eradication,sustainable development,Goal 1: End poverty in all its forms everywhere,1
102
+ 46, read the document pagination next page last last page events see all events may fri mon international study tour on juncao technology concrete contributions of juncao technology to supporting poverty eradication employment creation and sustainable development in developing countries the united nations department of economic and social affairs undesa collaborated with the national engineering research centre for juncao technology at fujian agriculture and forestry university fafu in the people s republic of china under the un peace and development trust fund on a project t fuzhou fujian province china jul wed tue africa regional capacity building workshop on applications of juncao technology mushroom production livestock feed and environmental protection the division for sustainable development goals of the united nations department of economic and social in collaboration with the national engineering research centre for juncao technology of the fujian agriculture and forestry university fafu of the people s republic of china implemented a proje huye and kigali rwanda jul tue sdg global business forum nbsp the sdg global business forum will take place virtually as a special event alongside the high level political forum on sustainable development hlpf the united nations central platform for the follow up and review of the sdgs,https://sdgs.un.org/topics/poverty-eradication,juncao technology,Goal 1: End poverty in all its forms everywhere,1
103
+ 47, the forum will place special emphasis on the sdgs under virtual may tue expert group meeting on sdg and its interlinkages with other sdgs the theme of the nbsp high level political forum nbsp hlpf is reinforcing the agenda and eradicating poverty in times of multiple crises the effective delivery of sustainable resilient and innovative solutions ,https://sdgs.un.org/topics/poverty-eradication,meeting sdg,Goal 1: End poverty in all its forms everywhere,1
104
+ 48, the hlpf will have an in depth review of sustainable development goa geneva switzerland mar mon tue expert group meetings for hlpf thematic review the theme of the high level political forum hlpf is reinforcing the agenda and eradicating poverty in times of multiple crisis the effective delivery of sustainable resilient and innovative solutions ,https://sdgs.un.org/topics/poverty-eradication,sustainable development,Goal 1: End poverty in all its forms everywhere,1
105
+ 49, the hlpf will have an in depth review of sdg on no poverty sdg on zero hu tokyo rome geneva and new york feb tue fri ,https://sdgs.un.org/topics/poverty-eradication,sdg poverty,Goal 1: End poverty in all its forms everywhere,1
106
+ 50,tokyo rome geneva and new york feb tue fri international workshop on applications of juncao technology and its contribution to alleviating poverty promoting employment and protecting the environment according to the united nations food systems summit that was held in many of the world s food systems are fragile and not fulfilling the right to adequate food for all,https://sdgs.un.org/topics/poverty-eradication,juncao technology,Goal 1: End poverty in all its forms everywhere,1
107
+ 51, hunger and malnutrition are on the rise again,https://sdgs.un.org/topics/poverty-eradication,hunger malnutrition,Goal 1: End poverty in all its forms everywhere,1
108
+ 52, according to fao s the state of food security and nutrition in the world nadi fiji mar sun thu fifth un conference on the ldcs unldc v doha qatar feb mon cdp plenary unhq new york feb mon wed th session of the commission for social development csocd unhq ny oct mon ending child poverty as part of the sdgs indicators and implementation under goal for the first time the global community has recognized the centrality of children to address global poverty,https://sdgs.un.org/topics/poverty-eradication,child poverty,Goal 1: End poverty in all its forms everywhere,1
109
+ 53, as part of the new sdgs proposed to end poverty the new agenda aims to reduce at least by half the proportion of men women and children of all ages living in poverty in all dimensions acc conference room united nations hq new york displaying of title type date hlfp thematic review of sdg end poverty in all its forms everywhere background notes apr a promotion of sustainable tourism including ecotourism for poverty eradication and environment secretary general reports jul invitation to ending child poverty as part of the sdgs indicators and implementation under goal other documents oct a united nations office for partnerships secretary general reports aug a res addis ababa action agenda of the third international conference on financing for development addis resolutions and decisions jul flyer on securing livelihood for all foresight for action other documents apr a res promotion of ecotourism for poverty eradication and environment protection resolutions and decisions dec a eradication of poverty and other development issues industrial development cooperation resolutions and decisions dec a the road to dignity by ending poverty transforming all lives and protecting the planet secretary general reports dec e cn,https://sdgs.un.org/topics/poverty-eradication,ecotourism poverty,Goal 1: End poverty in all its forms everywhere,1
110
+ 54, rethinking and strengthening social development in the contemporary world secretary general reports nov outcome document introduction to the proposal of the open working group for sustainable development goals outcome documents jul unep post note eradicating poverty through an inclusive green economy other documents may ,https://sdgs.un.org/topics/poverty-eradication,sustainable development,Goal 1: End poverty in all its forms everywhere,1
111
+ 55,outcome document introduction to the proposal of the open working group for sustainable development goals outcome documents jul unep post note eradicating poverty through an inclusive green economy other documents may a high level meeting on addressing desertification land degradation and drought in the context of secretary general reports jun e cn,https://sdgs.un.org/topics/poverty-eradication,sustainable development,Goal 1: End poverty in all its forms everywhere,1
112
+ 56, pc combating poverty secretary general reports mar e cn,https://sdgs.un.org/topics/poverty-eradication,poverty secretary,Goal 1: End poverty in all its forms everywhere,1
113
+ 57, combating poverty addendum secretary general reports jan pagination next next page last last page displaying of title category date sort ascending mr,https://sdgs.un.org/topics/poverty-eradication,secretary general,Goal 1: End poverty in all its forms everywhere,1
114
+ 58, michael park aspen management partnership for health at the aspen institute presentations jul food and agriculture organization of the united nations fao statements jul new future foundation co chairs meetings with major groups jun major group on children and youth and women islamic relief worldwide christian aid co chairs meetings with major groups jun egypt poverty eradication sustainable agriculture food security and nutrition may joint major group statement dialogue with major groups may india poverty eradication sustainable agriculture food security and nutrition may presentation on major groups recommendations on poverty dialogue with major groups may canada israel and united states of america poverty eradication sustainable agriculture food security and nutrition may caribbean community caricom poverty eradication sustainable agriculture food security and nutrition may south africa poverty eradication sustainable agriculture food security and nutrition may tunisia poverty eradication sustainable agriculture food security and nutrition may least developed countries ldcs poverty eradication sustainable agriculture food security and nutrition may belarus poverty eradication sustainable agriculture food security and nutrition may ethiopia poverty eradication sustainable agriculture food security and nutrition may pagination next next page last last page milestones january sdg goal aims to end poverty in all its forms everywhere and its targets aim to ,https://sdgs.un.org/topics/poverty-eradication,recommendations poverty,Goal 1: End poverty in all its forms everywhere,1
115
+ 59, by eradicate extreme poverty for all people everywhere currently measured as people living on less than ,https://sdgs.un.org/topics/poverty-eradication,extreme poverty,Goal 1: End poverty in all its forms everywhere,1
116
+ 60, by reduce at least by half the proportion of men women and children of all ages living in poverty in all its dimensions according to national definitions ,https://sdgs.un.org/topics/poverty-eradication,2030 reduce,Goal 1: End poverty in all its forms everywhere,1
117
+ 61, implement nationally appropriate social protection systems and measures for all including floors and by achieve substantial coverage of the poor and the vulnerable,https://sdgs.un.org/topics/poverty-eradication,social protection,Goal 1: End poverty in all its forms everywhere,1
118
+ 62, implement nationally appropriate social protection systems and measures for all including floors and by achieve substantial coverage of the poor and the vulnerable ,https://sdgs.un.org/topics/poverty-eradication,social protection,Goal 1: End poverty in all its forms everywhere,1
119
+ 63, by ensure that all men and women in particular the poor and the vulnerable have equal rights to economic resources as well as access to basic services ownership and control over land and other forms of property inheritance natural resources appropriate new technology and financial services including microfinance ,https://sdgs.un.org/topics/poverty-eradication,microfinance,Goal 1: End poverty in all its forms everywhere,1
120
+ 64, by build the resilience of the poor and those in vulnerable situations and reduce their exposure and vulnerability to climate related extreme events and other economic social and environmental shocks and disasters ,https://sdgs.un.org/topics/poverty-eradication,resilience poor,Goal 1: End poverty in all its forms everywhere,1
121
+ 65,a ensure significant mobilization of resources from a variety of sources including through enhanced development cooperation in order to provide adequate and predictable means for developing countries in particular least developed countries to implement programmes and policies to end poverty in all its dimensions ,https://sdgs.un.org/topics/poverty-eradication,developing countries,Goal 1: End poverty in all its forms everywhere,1
122
+ 66,b create sound policy frameworks at the national regional and international levels based on pro poor and gender sensitive development strategies to support accelerated investment in poverty eradication action january future we want para future we want recognizes that while there has been progress in reducing poverty in some regions this progress has been uneven and the number of people living in poverty in some countries continues to increase with women and children constituting the majority of the most affected groups especially in the least developed countries and particularly in africa,https://sdgs.un.org/topics/poverty-eradication,poverty eradication,Goal 1: End poverty in all its forms everywhere,1
123
+ 67, sustained inclusive and equitable economic growth in developing countries is identified as a key requirement for eradicating poverty and hunger and achieving the millennium development goals,https://sdgs.un.org/topics/poverty-eradication,eradicating poverty,Goal 1: End poverty in all its forms everywhere,1
124
+ 68, therefore future we want highlights the importance to complement national efforts of developing countries by an enabling environment aimed at expanding the development opportunities of developing countries,https://sdgs.un.org/topics/poverty-eradication,developing countries,Goal 1: End poverty in all its forms everywhere,1
125
+ 69, in paragraph member states recognize the important contribution that promoting universal access to social services can make to consolidating and achieving development gains,https://sdgs.un.org/topics/poverty-eradication,social services,Goal 1: End poverty in all its forms everywhere,1
126
+ 70, social protection systems that address and reduce inequality and social exclusion are essential for eradicating poverty and advancing the achievement of the millennium development goals,https://sdgs.un.org/topics/poverty-eradication,social protection,Goal 1: End poverty in all its forms everywhere,1
127
+ 71, january nd un decade for eradication of poverty the general assembly declared the second un decade for the eradication of poverty in december and selected as theme full employment and decent work for all ,https://sdgs.un.org/topics/poverty-eradication,poverty 2008,Goal 1: End poverty in all its forms everywhere,1
128
+ 72, this second decade was proclaimed to support the internationally agreed development goals related to poverty eradication including the millennium development goals,https://sdgs.un.org/topics/poverty-eradication,millennium development,Goal 1: End poverty in all its forms everywhere,1
129
+ 73, it has stressed the importance of reinforcing the positive trends in poverty reduction experienced by some countries as well as the need of extending such trends to benefit people worldwide,https://sdgs.un.org/topics/poverty-eradication,poverty reduction,Goal 1: End poverty in all its forms everywhere,1
130
+ 74, this second decade recognizes as well the importance of mobilizing financial resources for development at national and international levels and acknowledges that sustained economic growth supported by rising productivity and a favourable environment including private investment and entrepreneurship is vital for rising living standards january jpoi chap,https://sdgs.un.org/topics/poverty-eradication,mobilizing financial,Goal 1: End poverty in all its forms everywhere,1
131
+ 75, chapter identifies eradication of poverty as the greatest global challenge facing the world today and as an indispensable requirement for sustainable development particularly for developing countries,https://sdgs.un.org/topics/poverty-eradication,eradication poverty,Goal 1: End poverty in all its forms everywhere,1
132
+ 76, jpoi recognizes the primary responsibility and role national governments and policies have for ensuring their own sustainable development and poverty eradication strategies,https://sdgs.un.org/topics/poverty-eradication,ensuring sustainable,Goal 1: End poverty in all its forms everywhere,1
133
+ 77, the jpoi at the same time highlights the importance of concerted and concrete measures at all levels to enable developing countries to achieve their sustainable development goals as related to the internationally agreed poverty related targets and goals including those contained in agenda the relevant outcomes of other united nations conferences and the united nations millennium declaration,https://sdgs.un.org/topics/poverty-eradication,development goals,Goal 1: End poverty in all its forms everywhere,1
134
+ 78, january social summit as recommended by the world summit for social development the general assembly convened a special session in to revise and assess the implementation of the outcome of the social summit and to identify new and further initiatives for social development,https://sdgs.un.org/topics/poverty-eradication,social summit,Goal 1: End poverty in all its forms everywhere,1
135
+ 79, the ga held its twenty fourth special session entitled world summit for social development and beyond achieving social development for all in a globalizing world in geneva from to june ,https://sdgs.un.org/topics/poverty-eradication,summit social,Goal 1: End poverty in all its forms everywhere,1
136
+ 80, agreement was reached on a wide array of initiatives to reduce poverty and spur job growth in the global economy,https://sdgs.un.org/topics/poverty-eradication,reduce poverty,Goal 1: End poverty in all its forms everywhere,1
137
+ 81, reducing poverty promoting job growth and ensuring the participation of all people in the decision making process were the main objectives of the agreement,https://sdgs.un.org/topics/poverty-eradication,objectives agreement,Goal 1: End poverty in all its forms everywhere,1
138
+ 82, to achieve these goals countries endorsed actions to ensure improved education and health including in times of financial crisis,https://sdgs.un.org/topics/poverty-eradication,education health,Goal 1: End poverty in all its forms everywhere,1
139
+ 83, the general assembly adopted an outcome document entitled further initiatives for social development consisting of a political declaration reaffirming the copenhagen declaration on social development and programme of action of the world summit for social development a review and assessment of the implementation of the outcome of the summit and proposals for further initiatives for social development,https://sdgs.un.org/topics/poverty-eradication,initiatives social,Goal 1: End poverty in all its forms everywhere,1
140
+ 84, january mdg mdg aims at eradicating extreme poverty and hunger,https://sdgs.un.org/topics/poverty-eradication,mdg aims,Goal 1: End poverty in all its forms everywhere,1
141
+ 85, its three targets respectively read halve between and the proportion of people whose income is less than ,https://sdgs.un.org/topics/poverty-eradication,2015 proportion,Goal 1: End poverty in all its forms everywhere,1
142
+ 86,a achieve full and productive employment and decent work for all including women and young people ,https://sdgs.un.org/topics/poverty-eradication,productive employment,Goal 1: End poverty in all its forms everywhere,1
143
+ 87,b halve between and the proportion of people who suffer from hunger ,https://sdgs.un.org/topics/poverty-eradication,suffer hunger,Goal 1: End poverty in all its forms everywhere,1
144
+ 88, january st un decade for eradication of poverty the first united nations decade for eradication of poverty was declared for the period by the un general assembly at the end of ,https://sdgs.un.org/topics/poverty-eradication,eradication poverty,Goal 1: End poverty in all its forms everywhere,1
145
+ 89, as theme for the decade the ga established at the end of the following eradicating poverty is an ethical social political and economic imperative of humankind,https://sdgs.un.org/topics/poverty-eradication,eradicating poverty,Goal 1: End poverty in all its forms everywhere,1
146
+ 90, january ga th special session a ga special session ungass was held in june in order to review and assess progress undergone on agenda ,https://sdgs.un.org/topics/poverty-eradication,1997 ga,Goal 1: End poverty in all its forms everywhere,1
147
+ 91, with resolution a res s delegates agreed on the adoption of the programme for the further implementation of agenda ,https://sdgs.un.org/topics/poverty-eradication,agenda 21,Goal 1: End poverty in all its forms everywhere,1
148
+ 92,the programme appraised progress since the unced examined implementation and defined the csd s work programme for the period ,https://sdgs.un.org/topics/poverty-eradication,csd,Goal 1: End poverty in all its forms everywhere,1
149
+ 93, for the csd s subsequent four sessions poverty and consumption and production patterns were identified as dominant issues for each year by the work programme,https://sdgs.un.org/topics/poverty-eradication,poverty consumption,Goal 1: End poverty in all its forms everywhere,1
150
+ 94, delegates also agreed on the sectoral cross sectoral and economic sector major group themes endorsed the ipf s outcome and recommended a continuation of the intergovernmental policy dialogue on forests,https://sdgs.un.org/topics/poverty-eradication,intergovernmental policy,Goal 1: End poverty in all its forms everywhere,1
151
+ 95, subsequently the intergovernmental forum on forest iff was established by ecosoc under the csd,https://sdgs.un.org/topics/poverty-eradication,forest iff,Goal 1: End poverty in all its forms everywhere,1
152
+ 96, january copenhagen declaration social summit the copenhagen declaration was adopted at the end of the world summit for social development wssd held in march in copenhagen,https://sdgs.un.org/topics/poverty-eradication,copenhagen declaration,Goal 1: End poverty in all its forms everywhere,1
153
+ 97, being the largest gathering of world leaders at that time this event represented a crucial milestone and pledged to make the conquest of poverty the goal of full employment and the fostering of stable safe and just societies overriding objectives of development,https://sdgs.un.org/topics/poverty-eradication,conquest poverty,Goal 1: End poverty in all its forms everywhere,1
154
+ 98, chapter is entirely devoted to eradication of poverty with a particular attention to the strategies to be adopted to achieve concrete results in this matter to improve access to productive resources and infrastructure meet the basic human needs of all and to enhance social protection and reduce vulnerability,https://sdgs.un.org/topics/poverty-eradication,eradication poverty,Goal 1: End poverty in all its forms everywhere,1
155
+ 99, chapter of the agenda describes poverty as a complex multidimensional problem with origins in both the national and international domains ,https://sdgs.un.org/topics/poverty-eradication,poverty complex,Goal 1: End poverty in all its forms everywhere,1
156
+ 100, the agenda notes that no uniform solution can be found for global application and identifies country specific programmes to tackle poverty and international efforts supporting national efforts as well as the parallel process of creating a supportive international environment as crucial tools for a solution to this problem,https://sdgs.un.org/topics/poverty-eradication,international efforts,Goal 1: End poverty in all its forms everywhere,1
157
+ 101, events see all events may international study tour on juncao technology concrete contributions of juncao technology to supporting poverty eradication employment creation and sustainable development in developing countries fri mon may related goals jul africa regional capacity building workshop on applications of juncao technology mushroom production livestock feed and environmental protection wed tue aug related goals jul sdg global business forum tue tue jul related goals may expert group meeting on sdg and its interlinkages with other sdgs tue tue may related goals join the conversation footer menu contact copyright fraud alert privacy notice terms of use,https://sdgs.un.org/topics/poverty-eradication,juncao technology,Goal 1: End poverty in all its forms everywhere,1
src/train_bert/training_data/FeatureSet_10.csv ADDED
@@ -0,0 +1,53 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ ,text_data,source,best_key_word,category,label
2
+ 0,inequality threatens long term social and economic development harms poverty reduction and destroys people s sense of fulfillment and self worth,https://www.un.org/sustainabledevelopment/inequality,inequality threatens,Goal 10: Reduced Inequalities,10
3
+ 1, the incomes of the poorest per cent of the population had been growing faster than the national average in most countries,https://www.un.org/sustainabledevelopment/inequality,incomes poorest,Goal 10: Reduced Inequalities,10
4
+ 2, but emerging yet inconclusive evidence suggests that covid may have put a dent in this positive trend of falling within country inequality,https://www.un.org/sustainabledevelopment/inequality,country inequality,Goal 10: Reduced Inequalities,10
5
+ 3, the pandemic has caused the largest rise in between country inequality in three decades,https://www.un.org/sustainabledevelopment/inequality,pandemic,Goal 10: Reduced Inequalities,10
6
+ 4, reducing both within and between country inequality requires equitable resource distribution investing in education and skills development implementing social protection measures combating discrimination supporting marginalized groups and fostering international cooperation for fair trade and financial systems,https://www.un.org/sustainabledevelopment/inequality,country inequality,Goal 10: Reduced Inequalities,10
7
+ 5, why do we need to reduce inequalities,https://www.un.org/sustainabledevelopment/inequality,reduce inequalities,Goal 10: Reduced Inequalities,10
8
+ 6, inequalities based on income sex age disability sexual orientation race class ethnicity religion and opportunity continue to persist across the world,https://www.un.org/sustainabledevelopment/inequality,inequalities based,Goal 10: Reduced Inequalities,10
9
+ 7, inequality threatens long term social and economic development harms poverty reduction and destroys people s sense of fulfillment and self worth,https://www.un.org/sustainabledevelopment/inequality,inequality threatens,Goal 10: Reduced Inequalities,10
10
+ 8, this in turn can breed crime disease and environmental degradation,https://www.un.org/sustainabledevelopment/inequality,breed crime,Goal 10: Reduced Inequalities,10
11
+ 9, we cannot achieve sustainable development and make the planet better for all if people are excluded from the chance for a better life,https://www.un.org/sustainabledevelopment/inequality,achieve sustainable,Goal 10: Reduced Inequalities,10
12
+ 10, women and children with lack of access to healthcare die each day from preventable diseases such as measles and tuberculosis or in childbirth,https://www.un.org/sustainabledevelopment/inequality,healthcare die,Goal 10: Reduced Inequalities,10
13
+ 11, older persons migrants and refugees face lack of opportunities and discrimination an issue that affects every country in the world,https://www.un.org/sustainabledevelopment/inequality,migrants refugees,Goal 10: Reduced Inequalities,10
14
+ 12, one in five persons reported being discriminated on at least one ground of discrimination prohibited by international human rights law,https://www.un.org/sustainabledevelopment/inequality,reported discriminated,Goal 10: Reduced Inequalities,10
15
+ 13, one in six people worldwide has experienced discrimination in some form with women and people with disabilities disproportionately affected,https://www.un.org/sustainabledevelopment/inequality,disabilities disproportionately,Goal 10: Reduced Inequalities,10
16
+ 14, discrimination has many intersecting forms from religion ethnicity to gender and sexual preference pointing to the urgent need for measures to tackle any kind of discriminatory practices and hate speech,https://www.un.org/sustainabledevelopment/inequality,discriminatory practices,Goal 10: Reduced Inequalities,10
17
+ 15, in today s world we are all interconnected,https://www.un.org/sustainabledevelopment/inequality,world interconnected,Goal 10: Reduced Inequalities,10
18
+ 16, problems and challenges like poverty climate change migration or economic crises are never just confined to one country or region,https://www.un.org/sustainabledevelopment/inequality,poverty climate,Goal 10: Reduced Inequalities,10
19
+ 17, even the richest countries still have communities living in abject poverty,https://www.un.org/sustainabledevelopment/inequality,abject poverty,Goal 10: Reduced Inequalities,10
20
+ 18, the oldest democracies still wrestle with racism homophobia and transphobia and religious intolerance,https://www.un.org/sustainabledevelopment/inequality,oldest democracies,Goal 10: Reduced Inequalities,10
21
+ 19, global inequality affects us all no matter who we are or where we are from,https://www.un.org/sustainabledevelopment/inequality,global inequality,Goal 10: Reduced Inequalities,10
22
+ 20, it can and should be achieved to ensure a life of dignity for all,https://www.un.org/sustainabledevelopment/inequality,life dignity,Goal 10: Reduced Inequalities,10
23
+ 21, political economic and social policies need to be universal and pay particular attention to the needs of disadvantaged and marginalized communities,https://www.un.org/sustainabledevelopment/inequality,disadvantaged marginalized,Goal 10: Reduced Inequalities,10
24
+ 22, greater efforts are needed to eradicate extreme poverty and hunger and invest more in health education social protection and decent jobs especially for young people migrants and refugees and other vulnerable communities,https://www.un.org/sustainabledevelopment/inequality,extreme poverty,Goal 10: Reduced Inequalities,10
25
+ 23, within countries it is important to empower and promote inclusive social and economic growth,https://www.un.org/sustainabledevelopment/inequality,inclusive social,Goal 10: Reduced Inequalities,10
26
+ 24, we can ensure equal opportunity and reduce inequalities of income if we eliminate discriminatory laws policies and practices,https://www.un.org/sustainabledevelopment/inequality,inequalities income,Goal 10: Reduced Inequalities,10
27
+ 25, among countries we need to ensure that developing countries are better represented in decision making on global issues so that solutions can be more effective credible and accountable,https://www.un.org/sustainabledevelopment/inequality,developing countries,Goal 10: Reduced Inequalities,10
28
+ 26, governments and other stakeholders can also promote safe regular and responsible migration including through planned and well managed policies for the millions of people who have left their homes seeking better lives due to war discrimination poverty lack of opportunity and other drivers of migration,https://www.un.org/sustainabledevelopment/inequality,responsible migration,Goal 10: Reduced Inequalities,10
29
+ 27, facts and figuresgoal targetslinksfacts and figures,https://www.un.org/sustainabledevelopment/inequality,targetslinksfacts figures,Goal 10: Reduced Inequalities,10
30
+ 28,the incomes of the poorest per cent of the population had been growing faster than the national average in most countries,https://www.un.org/sustainabledevelopment/inequality,incomes poorest,Goal 10: Reduced Inequalities,10
31
+ 29, but emerging yet inconclusive evidence suggests that covid may have put a dent in this positive trend of falling within country inequality,https://www.un.org/sustainabledevelopment/inequality,country inequality,Goal 10: Reduced Inequalities,10
32
+ 30, the pandemic has also caused the largest rise in between country inequality in three decades,https://www.un.org/sustainabledevelopment/inequality,country inequality,Goal 10: Reduced Inequalities,10
33
+ 31, one in six people worldwide has experienced discrimination in some form with women and people with disabilities disproportionately affected,https://www.un.org/sustainabledevelopment/inequality,disabilities disproportionately,Goal 10: Reduced Inequalities,10
34
+ 32, the year witnessed the highest number of refugees ,https://www.un.org/sustainabledevelopment/inequality,number refugees,Goal 10: Reduced Inequalities,10
35
+ 33, this year is also a deadly one for migrants with nearly deaths recorded globally,https://www.un.org/sustainabledevelopment/inequality,deadly migrants,Goal 10: Reduced Inequalities,10
36
+ 34, reducing both within and between country inequality requires equitable resource distribution investing in education and skills development implementing social protection measures combating discrimination supporting marginalized groups and fostering international cooperation for fair trade and financial systems,https://www.un.org/sustainabledevelopment/inequality,country inequality,Goal 10: Reduced Inequalities,10
37
+ 35, source the sustainable development goals report goal targets ,https://www.un.org/sustainabledevelopment/inequality,sustainable development,Goal 10: Reduced Inequalities,10
38
+ 36, by progressively achieve and sustain income growth of the bottom per cent of the population at a rate higher than the national average ,https://www.un.org/sustainabledevelopment/inequality,income growth,Goal 10: Reduced Inequalities,10
39
+ 37, by empower and promote the social economic and political inclusion of all irrespective of age sex disability race ethnicity origin religion or economic or other status ,https://www.un.org/sustainabledevelopment/inequality,2030 empower,Goal 10: Reduced Inequalities,10
40
+ 38, ensure equal opportunity and reduce inequalities of outcome including by eliminating discriminatory laws policies and practices and promoting appropriate legislation policies and action in this regard ,https://www.un.org/sustainabledevelopment/inequality,appropriate legislation,Goal 10: Reduced Inequalities,10
41
+ 39, adopt policies especially fiscal wage and social protection policies and progressively achieve greater equality ,https://www.un.org/sustainabledevelopment/inequality,adopt policies,Goal 10: Reduced Inequalities,10
42
+ 40, improve the regulation and monitoring of global financial markets and institutions and strengthen the implementation of such regulations ,https://www.un.org/sustainabledevelopment/inequality,global financial,Goal 10: Reduced Inequalities,10
43
+ 41, ensure enhanced representation and voice for developing countries in decision making in global international economic and financial institutions in order to deliver more effective credible accountable and legitimate institutions ,https://www.un.org/sustainabledevelopment/inequality,developing countries,Goal 10: Reduced Inequalities,10
44
+ 42, facilitate orderly safe regular and responsible migration and mobility of people including through the implementation of planned and well managed migration policies ,https://www.un.org/sustainabledevelopment/inequality,migration policies,Goal 10: Reduced Inequalities,10
45
+ 43,a implement the principle of special and differential treatment for developing countries in particular least developed countries in accordance with world trade organization agreements ,https://www.un.org/sustainabledevelopment/inequality,developing countries,Goal 10: Reduced Inequalities,10
46
+ 44,b encourage official development assistance and financial flows including foreign direct investment to states where the need is greatest in particular least developed countries african countries small island developing states and landlocked developing countries in accordance with their national plans and programmes ,https://www.un.org/sustainabledevelopment/inequality,developing countries,Goal 10: Reduced Inequalities,10
47
+ 45,c by reduce to less than per cent the transaction costs of migrant remittances and eliminate remittance corridors with costs higher than per cent links united nations department of economic and social affairs undp unicef united nations office of the high representative for the least developed countries landlocked developing countries and small island developing states unohrlls fast facts reduced inequalities infographic reduced inequalities related news droughts are causing record devastation worldwide un backed report reveals gallery,https://www.un.org/sustainabledevelopment/inequality,migrant remittances,Goal 10: Reduced Inequalities,10
48
+ 46,droughts are causing record devastation worldwide un backed report reveals gallery droughts are causing record devastation worldwide un backed report revealsdpicampaigns t jul worldwide some of the most widespread and damaging drought events in recorded history have occurred in recent years due to climate change and resource depletion,https://www.un.org/sustainabledevelopment/inequality,damaging drought,Goal 10: Reduced Inequalities,10
49
+ 47, read full story on un news you have to be able to rule your life the care revolution in latin america gallery you have to be able to rule your life the care revolution in latin americadpicampaigns t jul globally there are ,https://www.un.org/sustainabledevelopment/inequality,care revolution,Goal 10: Reduced Inequalities,10
50
+ 48, billion hours of work that the world never pays for because it barely even sees these duties,https://www.un.org/sustainabledevelopment/inequality,world pays,Goal 10: Reduced Inequalities,10
51
+ 49, indigenous youth meet trailblazers ahead of nelson mandela day gallery indigenous youth meet trailblazers ahead of nelson mandela daydpicampaigns t jul a group of indigenous youth from the united states some as young as seven visited the united nations headquarters in new york this week for the first time,https://www.un.org/sustainabledevelopment/inequality,indigenous youth,Goal 10: Reduced Inequalities,10
52
+ 50, nextload more postsshare this story choose your platform,https://www.un.org/sustainabledevelopment/inequality,12nextload postsshare,Goal 10: Reduced Inequalities,10
53
+ 51, the goals read moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread more sdg resources across the unsustainable development knowledge platform united nations sustainable development group united to reform united nations homepage sdg media zone un newsdroughts are causing record devastation worldwide un backed report revealspakistan reels under monsoon deluge as death toll climbsworld horse day honoring humanity s oldest and most loyal companionoverlooked and underestimated sand and dust storms wreak havoc across borders follow us united nations a z site index contact copyright faq fraud alert privacy notice terms of use page load link go to top,https://www.un.org/sustainabledevelopment/inequality,united nations,Goal 10: Reduced Inequalities,10
src/train_bert/training_data/FeatureSet_11.csv ADDED
@@ -0,0 +1,161 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ ,text_data,source,best_key_word,category,label
2
+ 0,goal is about making cities and human settlements inclusive safe resilient and sustainable,https://www.un.org/sustainabledevelopment/cities,human settlements,Goal 11: Sustainable Cities and Communities,11
3
+ 1, cities represent the future of global living,https://www.un.org/sustainabledevelopment/cities,cities represent,Goal 11: Sustainable Cities and Communities,11
4
+ 2, the world s population reached billion on over half living in urban areas,https://www.un.org/sustainabledevelopment/cities,population reached,Goal 11: Sustainable Cities and Communities,11
5
+ 3, this figure is only expected to rise with per cent of people expected to live in cities by ,https://www.un.org/sustainabledevelopment/cities,cities 2050,Goal 11: Sustainable Cities and Communities,11
6
+ 4, billion people currently live in slums or slum like conditions in cities with billion more expected in the next years,https://www.un.org/sustainabledevelopment/cities,live slums,Goal 11: Sustainable Cities and Communities,11
7
+ 5, however many of these cities are not ready for this rapid urbanisation and it outpaces the development of housing infrastructure and services which led to a rise in slums or slum like conditions,https://www.un.org/sustainabledevelopment/cities,rise slums,Goal 11: Sustainable Cities and Communities,11
8
+ 6, urban sprawl air pollution and limited open public spaces persist in cities,https://www.un.org/sustainabledevelopment/cities,urban sprawl,Goal 11: Sustainable Cities and Communities,11
9
+ 7, good progress has been made since the implementation of the sdgs in and now the number of countries with national and local disaster risk reduction strategies has doubled,https://www.un.org/sustainabledevelopment/cities,sdgs 2015,Goal 11: Sustainable Cities and Communities,11
10
+ 8, but issues still remain and in only half of the urban population had convenient access to public transport,https://www.un.org/sustainabledevelopment/cities,public transport,Goal 11: Sustainable Cities and Communities,11
11
+ 9, sustainable development cannot be achieved without significantly transforming the way urban spaces are built and managed,https://www.un.org/sustainabledevelopment/cities,sustainable development,Goal 11: Sustainable Cities and Communities,11
12
+ 10, why are cities not future proof yet,https://www.un.org/sustainabledevelopment/cities,cities future,Goal 11: Sustainable Cities and Communities,11
13
+ 11, most of the urban growth is taking place in small cities and intermediate towns exacerbating inequalities and urban poverty,https://www.un.org/sustainabledevelopment/cities,urban growth,Goal 11: Sustainable Cities and Communities,11
14
+ 12, billion urban residents lived in slums or slum like conditions and over the next years an additional billion people are expected to live in such settlements mostly in developing countries,https://www.un.org/sustainabledevelopment/cities,lived slums,Goal 11: Sustainable Cities and Communities,11
15
+ 13, what are some of the most pressing challenges cities are facing,https://www.un.org/sustainabledevelopment/cities,challenges cities,Goal 11: Sustainable Cities and Communities,11
16
+ 14, inequality and the levels of urban energy consumption and pollution are some of the challenges,https://www.un.org/sustainabledevelopment/cities,urban energy,Goal 11: Sustainable Cities and Communities,11
17
+ 15, cities occupy just per cent of the earth s land but account for per cent of energy consumption and per cent of carbon emissions,https://www.un.org/sustainabledevelopment/cities,carbon emissions,Goal 11: Sustainable Cities and Communities,11
18
+ 16, many cities are also more vulnerable to climate change and natural disasters due to their high concentration of people and location so building urban resilience is crucial to avoid human social and economic losses,https://www.un.org/sustainabledevelopment/cities,urban resilience,Goal 11: Sustainable Cities and Communities,11
19
+ 17, all these issues will eventually affect every citizen,https://www.un.org/sustainabledevelopment/cities,affect citizen,Goal 11: Sustainable Cities and Communities,11
20
+ 18, inequality can lead to unrest and insecurity pollution deteriorates everyone s health and affects workers productivity and therefore the economy and natural disasters have the potential to disrupt everyone s lifestyles,https://www.un.org/sustainabledevelopment/cities,natural disasters,Goal 11: Sustainable Cities and Communities,11
21
+ 19, air pollution caused affecting the health of millions is not only an urban problem but is also affecting towns and rural areas,https://www.un.org/sustainabledevelopment/cities,air pollution,Goal 11: Sustainable Cities and Communities,11
22
+ 20, what happens if cities are just left to grow organically,https://www.un.org/sustainabledevelopment/cities,grow organically,Goal 11: Sustainable Cities and Communities,11
23
+ 21, the cost of poorly planned urbanization can be seen in some of the huge slums tangled traffic greenhouse gas emissions and sprawling suburbs all over the world,https://www.un.org/sustainabledevelopment/cities,planned urbanization,Goal 11: Sustainable Cities and Communities,11
24
+ 22, by choosing to act sustainably we choose to build cities where all citizens live a decent quality of life and form a part of the city s productive dynamic creating shared prosperity and social stability without harming the environment,https://www.un.org/sustainabledevelopment/cities,build cities,Goal 11: Sustainable Cities and Communities,11
25
+ 23, is it expensive to put sustainable practices in place,https://www.un.org/sustainabledevelopment/cities,sustainable practices,Goal 11: Sustainable Cities and Communities,11
26
+ 24, the cost is minimal in comparison with the benefits,https://www.un.org/sustainabledevelopment/cities,cost minimal,Goal 11: Sustainable Cities and Communities,11
27
+ 25, for example there is a cost to creating a functional public transport network but the benefits are huge in terms of economic activity quality of life the environment and the overall success of a networked city,https://www.un.org/sustainabledevelopment/cities,network benefits,Goal 11: Sustainable Cities and Communities,11
28
+ 26, what can i do to help achieve this goal,https://www.un.org/sustainabledevelopment/cities,help achieve,Goal 11: Sustainable Cities and Communities,11
29
+ 27, take an active interest in the governance and management of your city,https://www.un.org/sustainabledevelopment/cities,active governance,Goal 11: Sustainable Cities and Communities,11
30
+ 28, advocate for the kind of city you believe you need,https://www.un.org/sustainabledevelopment/cities,city believe,Goal 11: Sustainable Cities and Communities,11
31
+ 29, develop a vision for your building street and neighbourhood and act on that vision,https://www.un.org/sustainabledevelopment/cities,vision building,Goal 11: Sustainable Cities and Communities,11
32
+ 30, can your children walk to school safely,https://www.un.org/sustainabledevelopment/cities,children walk,Goal 11: Sustainable Cities and Communities,11
33
+ 31, can you walk with your family at night,https://www.un.org/sustainabledevelopment/cities,walk family,Goal 11: Sustainable Cities and Communities,11
34
+ 32, how far is the nearest public transport,https://www.un.org/sustainabledevelopment/cities,nearest public,Goal 11: Sustainable Cities and Communities,11
35
+ 33, what are your shared public spaces like,https://www.un.org/sustainabledevelopment/cities,public spaces,Goal 11: Sustainable Cities and Communities,11
36
+ 34, the better the conditions you create in your community the greater the effect on quality of life,https://www.un.org/sustainabledevelopment/cities,quality life,Goal 11: Sustainable Cities and Communities,11
37
+ 35, good progress has been made since the implementation of the sdgs in and now the number of countries with national and local disaster risk reduction strategies has doubled,https://www.un.org/sustainabledevelopment/cities,sdgs 2015,Goal 11: Sustainable Cities and Communities,11
38
+ 36, but issues still remain and in only half of the urban population had convenient access to public transport,https://www.un.org/sustainabledevelopment/cities,public transport,Goal 11: Sustainable Cities and Communities,11
39
+ 37, sustainable development cannot be achieved without significantly transforming the way urban spaces are built and managed,https://www.un.org/sustainabledevelopment/cities,sustainable development,Goal 11: Sustainable Cities and Communities,11
40
+ 38, facts and figuresgoal targetslinksfacts and figures,https://www.un.org/sustainabledevelopment/cities,targetslinksfacts figures,Goal 11: Sustainable Cities and Communities,11
41
+ 39,over half of the global population currently resides in urban areas a rate projected to reach per cent by ,https://www.un.org/sustainabledevelopment/cities,global population,Goal 11: Sustainable Cities and Communities,11
42
+ 40, billion people currently live in slums or slum like conditions in cities with billion more expected in the next years,https://www.un.org/sustainabledevelopment/cities,live slums,Goal 11: Sustainable Cities and Communities,11
43
+ 41, in only half of the world s urban population had convenient access to public transportation,https://www.un.org/sustainabledevelopment/cities,public transportation,Goal 11: Sustainable Cities and Communities,11
44
+ 42, urban sprawl air pollution and limited open public spaces persist in cities,https://www.un.org/sustainabledevelopment/cities,urban sprawl,Goal 11: Sustainable Cities and Communities,11
45
+ 43, since the number of countries with national and local disaster risk reduction strategies has doubled,https://www.un.org/sustainabledevelopment/cities,disaster risk,Goal 11: Sustainable Cities and Communities,11
46
+ 44, to achieve goal efforts must focus on implementing inclusive resilient and sustainable urban development policies and practices that prioritize access to basic services affordable housing efficient transportation and green spaces for all,https://www.un.org/sustainabledevelopment/cities,sustainable urban,Goal 11: Sustainable Cities and Communities,11
47
+ 45, today per cent of slum dwellers are concentrated in three regions central and southern asia million eastern and south eastern asia million and sub saharan africa million ,https://www.un.org/sustainabledevelopment/cities,slum dwellers,Goal 11: Sustainable Cities and Communities,11
48
+ 46, global cities expanded physically faster than their population growth rates with average annual land consumption rates of ,https://www.un.org/sustainabledevelopment/cities,growth rates,Goal 11: Sustainable Cities and Communities,11
49
+ 47, compared to population growth rates of ,https://www.un.org/sustainabledevelopment/cities,population growth,Goal 11: Sustainable Cities and Communities,11
50
+ 49, respectively from to according to data from cities between and ,https://www.un.org/sustainabledevelopment/cities,cities 1990,Goal 11: Sustainable Cities and Communities,11
51
+ 50,source the sustainable development goals report goal targets ,https://www.un.org/sustainabledevelopment/cities,sustainable development,Goal 11: Sustainable Cities and Communities,11
52
+ 51, by ensure access for all to adequate safe and affordable housing and basic services and upgrade slums ,https://www.un.org/sustainabledevelopment/cities,upgrade slums,Goal 11: Sustainable Cities and Communities,11
53
+ 52, by provide access to safe affordable accessible and sustainable transport systems for all improving road safety notably by expanding public transport with special attention to the needs of those in vulnerable situations women children persons with disabilities and older persons ,https://www.un.org/sustainabledevelopment/cities,sustainable transport,Goal 11: Sustainable Cities and Communities,11
54
+ 53, by enhance inclusive and sustainable urbanization and capacity for participatory integrated and sustainable human settlement planning and management in all countries ,https://www.un.org/sustainabledevelopment/cities,sustainable urbanization,Goal 11: Sustainable Cities and Communities,11
55
+ 54, strengthen efforts to protect and safeguard the world s cultural and natural heritage ,https://www.un.org/sustainabledevelopment/cities,natural heritage,Goal 11: Sustainable Cities and Communities,11
56
+ 55, by significantly reduce the number of deaths and the number of people affected and substantially decrease the direct economic losses relative to global gross domestic product caused by disasters including water related disasters with a focus on protecting the poor and people in vulnerable situations ,https://www.un.org/sustainabledevelopment/cities,disasters including,Goal 11: Sustainable Cities and Communities,11
57
+ 56, by reduce the adverse per capita environmental impact of cities including by paying special attention to air quality and municipal and other waste management ,https://www.un.org/sustainabledevelopment/cities,environmental impact,Goal 11: Sustainable Cities and Communities,11
58
+ 57, by provide universal access to safe inclusive and accessible green and public spaces in particular for women and children older persons and persons with disabilities ,https://www.un.org/sustainabledevelopment/cities,2030 provide,Goal 11: Sustainable Cities and Communities,11
59
+ 58,a support positive economic social and environmental links between urban peri urban and rural areas by strengthening national and regional development planning ,https://www.un.org/sustainabledevelopment/cities,regional development,Goal 11: Sustainable Cities and Communities,11
60
+ 59,b by substantially increase the number of cities and human settlements adopting and implementing integrated policies and plans towards inclusion resource efficiency mitigation and adaptation to climate change resilience to disasters and develop and implement in line with the sendai framework for disaster risk reduction holistic disaster risk management at all levels ,https://www.un.org/sustainabledevelopment/cities,disaster risk,Goal 11: Sustainable Cities and Communities,11
61
+ 60,c support least developed countries including through financial and technical assistance in building sustainable and resilient buildings utilizing local materials links un habitat un environment programme cities investing in energy and resource efficiency un environment programme climate neutral network un environment programme cities and climate change un population fund urbanization iclei local governments for sustainability fast facts sustainable cities and communities infographic sustainable cities and communities,https://www.un.org/sustainabledevelopment/cities,sustainable cities,Goal 11: Sustainable Cities and Communities,11
62
+ 61,the united nations conference on housing and sustainable urban development took place in quito ecuador from october and was the first un global summit on urbanization since the adoption of the agenda for sustainable development,https://www.un.org/sustainabledevelopment/cities,summit urbanization,Goal 11: Sustainable Cities and Communities,11
63
+ 62, habitat iii offered a unique opportunity to discuss the important challenges of how cities towns and village can be planned and managed in order to fulfill their role as drivers of sustainable development and how they can shape the implementation of the sustainable development goals and the paris agreement on climate change,https://www.un.org/sustainabledevelopment/cities,habitat iii,Goal 11: Sustainable Cities and Communities,11
64
+ 63, in quito world leaders adopted the new urban agenda which set global standards of achievement in sustainable urban development rethinking the way we build manage and live in cities through drawing together cooperation with committed partners relevant stakeholders and urban actors at all levels of government as well as the civil society and private sector,https://www.un.org/sustainabledevelopment/cities,urban agenda,Goal 11: Sustainable Cities and Communities,11
65
+ 64, related news promoting sustainable businessruna a t jan as the world economic forum opens in davos switzerland united nations global compact encourages economic leaders to integrate sustainable development in their business models,https://www.un.org/sustainabledevelopment/cities,sustainable businessruna,Goal 11: Sustainable Cities and Communities,11
66
+ 65,read more safe spaces offer security and dignity for youth and help make the world better for all guterres gallery safe spaces offer security and dignity for youth and help make the world better for all guterresmartin t aug the world s young people need safe spaces both physical and digital where they can freely express their views and pursue their dreams was the core message of united nations secretary general ant nio guterres to mark ,https://www.un.org/sustainabledevelopment/cities,safe spaces,Goal 11: Sustainable Cities and Communities,11
67
+ 66, read more un forum spotlights cities where struggle for sustainability will be won or lost gallery un forum spotlights cities where struggle for sustainability will be won or lost martin t jul although cities are often characterized by stark socioeconomic inequalities and poor environmental conditions they also offer growth and development potential making them central to the agenda for sustainable development and a main focus ,https://www.un.org/sustainabledevelopment/cities,struggle sustainability,Goal 11: Sustainable Cities and Communities,11
68
+ 67, read more nextload more posts the goals read moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread more sdg resources across the unsustainable development knowledge platform united nations sustainable development group united to reform united nations homepage sdg media zone,https://www.un.org/sustainabledevelopment/cities,moreread sdg,Goal 11: Sustainable Cities and Communities,11
69
+ 0,sustainable cities and human settlements department of economic and social affairs sorry you need to enable javascript to visit this website,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,sustainable cities,Goal 11: Sustainable Cities and Communities,11
70
+ 1, skip to main content welcome to the united nations englishfran ais espa ol department of economic and social affairs sustainable development main navigation home sdg knowledge sustainable development goals key topics agenda capacity development publications natural resources forum intergovernmental processes high level political forum on sustainable development un conferences and high level events related to sustainable development multi stakeholder forum on science technology and innovation for the sdgs second committee of the un general assembly samoa pathway ecosoc partnership forum hlpf sids th international conference on small island developing states small island developing states multidimensional vulnerability index for sids united nations sids partnerships awards sids partnership framework sdg actions sdg actions platform faq about the submission of voluntary commitments sdg actions engage events webinars member states un system stakeholder engagement news about topics sustainable cities and human settlements related sdgs make cities and human settlements inclusive ,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,sustainable development,Goal 11: Sustainable Cities and Communities,11
71
+ 2, description publications events documents statements milestones reports from local authorities description,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,description publications,Goal 11: Sustainable Cities and Communities,11
72
+ 3,human settlements cities are hubs for ideas commerce culture science productivity social human and economic development,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,human settlements,Goal 11: Sustainable Cities and Communities,11
73
+ 4, urban planning transport systems water sanitation waste management disaster risk reduction access to information education and capacity building are all relevant issues to sustainable urban development,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,sustainable urban,Goal 11: Sustainable Cities and Communities,11
74
+ 5, in for the first time in history the global urban population outnumbered the rural population,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,rural population,Goal 11: Sustainable Cities and Communities,11
75
+ 6, this milestone marked the advent of a new urban millennium and by it is expected that two thirds of the world population will be living in urban areas,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,urban millennium,Goal 11: Sustainable Cities and Communities,11
76
+ 7, with more than half of humankind living in cities and the number of urban residents growing by nearly million every year it is estimated that urban areas account for per cent of the world s gross domestic product and has therefore generated economic growth and prosperity for many,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,estimated urban,Goal 11: Sustainable Cities and Communities,11
77
+ 8, given the importance of this topic to global development efforts recent movements pushing to address sustainable development from an urban perspective have taken place throughout the world,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,sustainable development,Goal 11: Sustainable Cities and Communities,11
78
+ 9, results from this movement can be seen in the inclusion of a stand alone goal on cities and urban development in the agenda sustainable development goal make cities and human settlements inclusive safe resilient and sustainable ,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,sustainable development,Goal 11: Sustainable Cities and Communities,11
79
+ 10, there is also recognition of the cross cutting nature of urban issues which have an impact on a number of other sustainable development goals including sdgs and among others,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,sustainable development,Goal 11: Sustainable Cities and Communities,11
80
+ 11, un habitat s complementary new urban agenda adopted as the outcome document from the habitat iii conference in seeks to offer national and local guidelines on the growth and development of cities through ,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,habitat iii,Goal 11: Sustainable Cities and Communities,11
81
+ 12, prior to the adoption of the agenda millennium development goal target made a call for efforts to achieve a significant improvement in the lives of at least million slum dwellers by ,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,2030 agenda,Goal 11: Sustainable Cities and Communities,11
82
+ 13, sustainable human settlements development was also discussed at the second and third sessions of the commission on sustainable development,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,sustainable development,Goal 11: Sustainable Cities and Communities,11
83
+ 14, promoting sustainable human settlements development is the subject of chapter of agenda which calls for providing adequate shelter for all improving human settlements management promoting sustainable land use planning and management promoting the integrated provision of environmental infrastructure water sanitation drainage and solid waste management promoting sustainable energy and transport systems in human settlements promoting human settlements planning and management in disaster prone areas promoting sustainable construction industry activities and promoting human resource development and capacity building for human settlements development,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,settlements development,Goal 11: Sustainable Cities and Communities,11
84
+ 15, paragraph of the agenda calls on major groups and other stakeholders including local authorities to report on their contribution to the implementation of the agenda,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,implementation agenda,Goal 11: Sustainable Cities and Communities,11
85
+ 16, local and regional governments have a wealth of valuable experience in the localization of the agenda where they provide leadership in the mobilization of a wide range of stakeholders the facilitation of bottom up and inclusive processes and the formation of multi stakeholder partnerships,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,stakeholder partnerships,Goal 11: Sustainable Cities and Communities,11
86
+ 17,publications jingzhou sustainable development strategies for a heritage rich city the endeavor of jingzhou jingzhou also called jiangling is located in the the hinterland of jianghan plain and geometric center of china like a beautiful pearl nurtured by both the yangtze river and the hanjiang river,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,jingzhou sustainable,Goal 11: Sustainable Cities and Communities,11
87
+ 18, with the advantageous location rich history and abundunt travelling resources jingzhou enjoys the rep,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,resources jingzhou,Goal 11: Sustainable Cities and Communities,11
88
+ 19, read the document urbanization and climate change in small island developing states the purpose of this briefing paper is to provide a contextual understanding of the challenges and opportunities of climate change in relation to human settlements in small island developing states sids ,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,urbanization climate,Goal 11: Sustainable Cities and Communities,11
89
+ 20, it is also an attempt at collecting initial thoughts in response to the call of small island de,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,initial thoughts,Goal 11: Sustainable Cities and Communities,11
90
+ 21, read the document transforming our world the agenda for sustainable development this agenda is a plan of action for people planet and prosperity,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,agenda sustainable,Goal 11: Sustainable Cities and Communities,11
91
+ 22, it also seeks to strengthen universal peace in larger freedom we recognize that eradicating poverty in all its forms and dimensions including extreme poverty is the greatest global challenge and an indispensable requirement for su,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,eradicating poverty,Goal 11: Sustainable Cities and Communities,11
92
+ 23, read the document un habitat global activities report over the past two years un habitat has engaged in developing global norms and supporting innovative models to assist national governments and local authorities increasing their knowledge on sustainable urbanization as well as improving national and local policies on housing and urban development,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,habitat global,Goal 11: Sustainable Cities and Communities,11
93
+ 24, read the document the challenge of local government financiang in developing countries cities are assets solutions and drivers of economic and social development,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,local government,Goal 11: Sustainable Cities and Communities,11
94
+ 25, cities possess huge untapped economic potential that can and should be leveraged to create wealth and economic opportunities for all,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,cities possess,Goal 11: Sustainable Cities and Communities,11
95
+ 26, this requires good urban planning that supports urban compactness integration and conne,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,urban planning,Goal 11: Sustainable Cities and Communities,11
96
+ 27, read the document open working group proposal for sustainable development goals the outcome document of the united nations conference on sustainable development entitled the future we want inter alia set out a mandate to establish an open working group to develop a set of sustainable development goals for consideration and appropriate action by the general assembly at its ,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,sustainable development,Goal 11: Sustainable Cities and Communities,11
97
+ 28, read the document sustainable resource efficient cities making it happen currently over half of the world s population resides in cities,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,efficient cities,Goal 11: Sustainable Cities and Communities,11
98
+ 29, this urbanization trend is expected to continue and more than per cent of humanity is expected to live cities by ,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,urbanization trend,Goal 11: Sustainable Cities and Communities,11
99
+ 30, the conditions for city dwellers depend not only on how urbanization is planned and managed but also how cities ,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,urbanization planned,Goal 11: Sustainable Cities and Communities,11
100
+ 31, read the document cities and biodiversity outlook action and policy cbo action and policy provides the summary of a global assessment of the links between urbanization biodiversity and ecosystem services,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,urbanization biodiversity,Goal 11: Sustainable Cities and Communities,11
101
+ 32, drawing on contributions from more than scientists and policy makers from around the world it summarizes how urbanization affects biodiversity and ecosyst,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,affects biodiversity,Goal 11: Sustainable Cities and Communities,11
102
+ 33,state of the world s cities sometimes it takes just one human being to tip the scales and change the course of history,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,world cities,Goal 11: Sustainable Cities and Communities,11
103
+ 34, at some point in the year that human being will either move to a city or be born in one,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,human city,Goal 11: Sustainable Cities and Communities,11
104
+ 35, the event itself will go unnoticed but demographers watching urban trends will mark it as the moment when the wor,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,urban trends,Goal 11: Sustainable Cities and Communities,11
105
+ 36, read the document unfpa state of world population in the world reaches an invisible but momentous milestone for the first time in history more than half its human population ,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,world population,Goal 11: Sustainable Cities and Communities,11
106
+ 37, billion people will be living in urban areas,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,billion people,Goal 11: Sustainable Cities and Communities,11
107
+ 38, by this is expected to swell to almost billion,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,swell billion,Goal 11: Sustainable Cities and Communities,11
108
+ 39, many of the new urbanites will be poor,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,urbanites poor,Goal 11: Sustainable Cities and Communities,11
109
+ 40, read the document the millennium development goals report with the deadline for the mdgs on the horizon progress can be reported in most areas despite the impact of the global economic and financial crisis,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,millennium development,Goal 11: Sustainable Cities and Communities,11
110
+ 41, several important targets have or will be met by assuming continued commitment by national governments the international community civil soci,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,important targets,Goal 11: Sustainable Cities and Communities,11
111
+ 42, read the document state of the world s cities bridging the urban divide overview and key findings the world s urban population now exceeds the world s rural population,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,urban divide,Goal 11: Sustainable Cities and Communities,11
112
+ 43, what does this mean for the state of our cities given the strain this global demographic shift is placing upon current urban infrastructure,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,urban infrastructure,Goal 11: Sustainable Cities and Communities,11
113
+ 44, following on from previous state of the world s cities reports this edition uses the ,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,cities reports,Goal 11: Sustainable Cities and Communities,11
114
+ 45, read the document pagination next page last last page events see all events sep mon tue sdg summit during the united nations general assembly high level week in september heads of state and government will gather at the united nations headquarters in new york to review the implementation of the agenda for sustainable development and the sustainable development goals sdgs un headquarters jul fri session sdg progress challenges lessons learned and tools for sustainable transformation of cities sdg progress challenges lessons learned and tools for sustainable transformation of cities nbsp partners sustainable cities institute brazil world blind union wbu unibo and university of paris saclay international association of universities iau return to nbsp main website virtual jul wed session building sustainable cities harnessing the potential of local communities to withstand crises building sustainable cities harnessing the potential of local communities to withstand crises partners cities alliance slum dwellers international sdi swiss agency for development and cooperation sdc united cities and local governments uclg women in informal employment globalizing conference room jul mon fri sdgs learning training and practice nbsp introduction,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,sustainable cities,Goal 11: Sustainable Cities and Communities,11
115
+ 46,conference room jul mon fri sdgs learning training and practice nbsp introduction the united nations high level political forum on sustainable development hlpf in was held from july under the auspices of the economic and social council,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,sustainable development,Goal 11: Sustainable Cities and Communities,11
116
+ 47, this includes the three day ministerial segment of the forum from july as part of the hi new york virtual may wed clean energy technologies to meet sdgs in small island states this virtual event will provide a platform for knowledge exchange and collaboration among experts in the field of sustainable energy and island communities,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,energy island,Goal 11: Sustainable Cities and Communities,11
117
+ 48, it will explore innovative technologies best practices and policy frameworks for promoting sustainable energy transitions in islands,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,sustainable energy,Goal 11: Sustainable Cities and Communities,11
118
+ 49, the out virtual feb wed thu expert group meeting on sdg sustainable cities and its interlinkages with other sdgs february bilbao spain in preparation for the review of sdg and its role in advancing sustainable development across the agenda nbsp the division for sustainable development goals of the un department of economic and social affairs un desa dsdg united nations human settlements programme un habitat and th bilbao spain jan wed expert group meetings on hlpf thematic review the theme of the high level political forum on sustainable development hlpf is accelerating the recovery from the coronavirus disease covid and the full implementation of the agenda for sustainable development at all levels ,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,sustainable development,Goal 11: Sustainable Cities and Communities,11
119
+ 50, the hlpf will have an in depth review of sustainabl nov wed voluntary local review series institutional arrangements for sdg implementation the division for sustainable development goals dsdg of the united nations department for economic and social affairs desa is continuing its voluntary local review series with a workshop that focuses on the institutional arrangements local regional and national governments have put in place to c virtual jul mon vnr lab enhancing the dialogue between the voluntary national reviews vnrs and the voluntary local reviews vlrs in recent years the voluntary local reviews modelled after the vnrs and conducted by cities and regions have picked up considerable momentum,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,local review,Goal 11: Sustainable Cities and Communities,11
120
+ 51, this lab will showcase how vnr countries have used these vlrs in their own review process,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,vlrs review,Goal 11: Sustainable Cities and Communities,11
121
+ 52, it will also reflect how these reviews at two levels can be webinar jul wed vnr lab multi level governance and subnational reporting on vnrs and vlrs virtual held new york time displaying of title type date programme voluntary local review series institutional arrangements for programme sep the implementation of the united nations sustainable development goals in mannheim sep ,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,reporting vnrs,Goal 11: Sustainable Cities and Communities,11
122
+ 53,virtual held new york time displaying of title type date programme voluntary local review series institutional arrangements for programme sep the implementation of the united nations sustainable development goals in mannheim sep outcome of the world urban forum the kuala lumpur declaration outcome documents mar habitat iii the new urban agenda outcome documents oct background note urban resilience and sustainable urban development in small island developing states background papers special studies oct a implementation of the outcome of the united nations conference on human settlements habitat ii and resolutions and decisions dec the way cities are planned run and managed is crucial for development,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,sustainable urban,Goal 11: Sustainable Cities and Communities,11
123
+ 54, un deputy chief press releases jun a res implementation of the outcome of habitat ii and strengthening of un habitat resolutions and decisions jun habitat i vancouver declaration outcome documents jun habitat ii istanbul declaration outcome documents jun flyer on sustainable urban mobility in developing countries other documents mar outcome high level symposium on sustainable cities outcome documents mar aide memoire high level symposium on sustainable cities other documents dec logistical information high level symposium on sustainable cities logistics dec speakers and participants high level symposium on sustainable cities other documents dec pagination next next page last last page displaying of title category date sort ascending mr,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,sustainable cities,Goal 11: Sustainable Cities and Communities,11
124
+ 55, ohmura governor of aichi opening session apr mr,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,ohmura governor,Goal 11: Sustainable Cities and Communities,11
125
+ 56, toshihiko ota mayor of toyota city closing session jan mr,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,ota mayor,Goal 11: Sustainable Cities and Communities,11
126
+ 57, toshihiko ota mayor of toyota city session jan mr,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,ota mayor,Goal 11: Sustainable Cities and Communities,11
127
+ 58, shuzo murakami chairman of the institute for building environment and energy session jan mr,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,murakami chairman,Goal 11: Sustainable Cities and Communities,11
128
+ 59, tomomi tamaki representative asian development bank office in japan session jan mr,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,tamaki representative,Goal 11: Sustainable Cities and Communities,11
129
+ 60, vladimir komissarov deputy director icbet moscow russia session jan dr,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,vladimir komissarov,Goal 11: Sustainable Cities and Communities,11
130
+ 61, elly sinaga director general of the research and development agency ministry of session jan dr,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,elly sinaga,Goal 11: Sustainable Cities and Communities,11
131
+ 62, rajib shaw professor graduate school of global environmental studies kyoto session jan mr,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,studies kyoto,Goal 11: Sustainable Cities and Communities,11
132
+ 63, stefanos fotiou united nations environment programme unep regional office for session jan mr,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,nations environment,Goal 11: Sustainable Cities and Communities,11
133
+ 64, masahiro tamaki sumitomo chemical company session jan mr,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,masahiro tamaki,Goal 11: Sustainable Cities and Communities,11
134
+ 65, masayuki kawamoto verification project team session jan ,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,kawamoto verification,Goal 11: Sustainable Cities and Communities,11
135
+ 66, masahiro tamaki sumitomo chemical company session jan mr,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,masahiro tamaki,Goal 11: Sustainable Cities and Communities,11
136
+ 67, masayuki kawamoto verification project team session jan mr,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,kawamoto verification,Goal 11: Sustainable Cities and Communities,11
137
+ 68, chihiro tobe director ministry of economy trade and industry meti japan session jan mr,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,chihiro tobe,Goal 11: Sustainable Cities and Communities,11
138
+ 69, nikhil seth director division for sustainable development department of closing session jan mr,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,sustainable development,Goal 11: Sustainable Cities and Communities,11
139
+ 70, takeo murakami director for international negotiations management ministry of land session jan mr,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,murakami director,Goal 11: Sustainable Cities and Communities,11
140
+ 71, choudhury rudra charan mohanty environment programme coordinator united nations session jan pagination next next page last last page milestones january sdg sdg aims to make cities and human settlements inclusive safe resilient and sustainable,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,sdg 11,Goal 11: Sustainable Cities and Communities,11
141
+ 72, aim to ensure access for all to adequate safe and affordable housing and basic services and upgrade slums provide access to safe affordable accessible and sustainable transport systems for all improving road safety and enhance inclusive and sustainable urbanisation and capacity for participatory integrated and sustainable human settlement planning and management in all countries by ,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,upgrade slums,Goal 11: Sustainable Cities and Communities,11
142
+ 73, this goal also calls for strengthening efforts to protect and safeguard the world s cultural and natural heritage significantly reducing by the number of deaths caused and the number of people affected by disasters january world urban forum convened by the united nations human settlements programme un habitat for the first time in the world urban forum wuf is a non legislative technical forum hosted in a different city every two years responsible for examining the most pressing issues currently facing at global level in the context of human settlements including rapid urbanization and its impact on cities communities economies climate change and policies,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,urban forum,Goal 11: Sustainable Cities and Communities,11
143
+ 74, january istanbul the ga held a special session in june to review and assess the implementation of the habitat agenda five years after its adoption,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,habitat agenda,Goal 11: Sustainable Cities and Communities,11
144
+ 75, in order to evaluate the progress undergone by each country to meet the commitments and strategies announced in the habitat agenda all member states were requested to draft a report focused on local and national implementation of the habitat agenda,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,habitat agenda,Goal 11: Sustainable Cities and Communities,11
145
+ 76, january habitat agenda the un held a second conference on cities habitat ii in in istanbul turkey,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,habitat agenda,Goal 11: Sustainable Cities and Communities,11
146
+ 77, the conference aimed at appraising two decades of progress since habitat i and at identifying fresh goals for the new millennium,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,progress habitat,Goal 11: Sustainable Cities and Communities,11
147
+ 78, adopted by countries the outcome political document the habitat agenda contained over commitments and recommendations,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,habitat agenda,Goal 11: Sustainable Cities and Communities,11
148
+ 79,adopted by countries the outcome political document the habitat agenda contained over commitments and recommendations,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,habitat agenda,Goal 11: Sustainable Cities and Communities,11
149
+ 80, of agenda is dedicated to promoting sustainable human settlement development whose objective is the improvement of the social economic and environmental quality of human settlements and the living and working environments of all people in particular the urban and rural poor,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,agenda 21,Goal 11: Sustainable Cities and Communities,11
150
+ 81, also known as the brundtland report our common future was published in with the aim of reaffirming the spirit of the united nations conference on the human environment the stockholm conference,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,brundtland report,Goal 11: Sustainable Cities and Communities,11
151
+ 82, chapter of the report is entitled the urban challenge and focuses on the significant increase that developing world s urban population has experienced between and ,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,urban challenge,Goal 11: Sustainable Cities and Communities,11
152
+ 83, it also formulates projections about its future trends and urges third world cities to take measures to improve capacity to produce and manage their urban infrastructure services,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,urban infrastructure,Goal 11: Sustainable Cities and Communities,11
153
+ 84, furthermore the report identifies the problems faced by many cities in both developing and developed countries and calls governments to design explicit settlements strategies to guide the process of urbanization,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,settlements strategies,Goal 11: Sustainable Cities and Communities,11
154
+ 85, january world habitat day with the adoption of resolution in the first monday of october of every year has been designated by the un ga as world habitat day,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,habitat day,Goal 11: Sustainable Cities and Communities,11
155
+ 86, the first world habitat day was celebrated in ,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,habitat day,Goal 11: Sustainable Cities and Communities,11
156
+ 87, the world habitat day aims at reflecting on the state of towns and cities at global level on the basic right of all to adequate shelter and at raising awareness of what can be done at individual level to shape a better future for these settlements,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,habitat day,Goal 11: Sustainable Cities and Communities,11
157
+ 88, january vancouver declaration held in vancouver in and known as the first international un conference to fully recognize the challenge of urbanization habitat i resulted in the establishment of the precursors of un habitat the united nations commission on human settlements an intergovernmental body and the united nations centre for human settlements commonly referred to as habitat which served as the executive secretariat of the commission,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,vancouver 1976,Goal 11: Sustainable Cities and Communities,11
158
+ 89, paragraph of the agenda calls on major groups and other stakeholders including local authorities to report on their contribution to the implementation of the agenda,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,implementation agenda,Goal 11: Sustainable Cities and Communities,11
159
+ 90, local and regional governments have a wealth of valuable experience in the localization of the agenda where they provide leadership in the mobilization of a wide range of stakeholders the facilitation of bottom up and inclusive processes and the formation of multi stakeholder partnerships,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,stakeholder partnerships,Goal 11: Sustainable Cities and Communities,11
160
+ 91, please follow this link to see a list of reports from local authorities,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,reports local,Goal 11: Sustainable Cities and Communities,11
161
+ 92, events see all events sep sdg summit mon tue sep related goals jul session sdg progress challenges lessons learned and tools for sustainable transformation of cities fri fri jul related goals ,https://sdgs.un.org/topics/sustainable-cities-and-human-settlements,sdg summit,Goal 11: Sustainable Cities and Communities,11
src/train_bert/training_data/FeatureSet_12.csv ADDED
@@ -0,0 +1,50 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ ,text_data,source,best_key_word,category,label
2
+ 0,search sdg site a z site index goal ensure sustainable consumption and production patterns sustainable consumption and productionmartin t goal is about ensuring sustainable consumption and production patterns which is key to sustain the livelihoods of current and future generations,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,sustainable consumption,Goal 12: Responsible Consumption and Production,12
3
+ 1, our planet is running out of resources but populations are continuing to grow,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,resources populations,Goal 12: Responsible Consumption and Production,12
4
+ 2, billion by the equivalent of almost three planets will be required to provide the natural resources needed to sustain current lifestyles,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,planets required,Goal 12: Responsible Consumption and Production,12
5
+ 3, we need to change our consumption habits and shifting our energy supplies to more sustainable ones are one of the main changes we must make if we are going to reduce our consumption levels,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,change consumption,Goal 12: Responsible Consumption and Production,12
6
+ 4, however global crises triggered a resurgence in fossil fuel subsidies nearly doubling from to ,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,fuel subsidies,Goal 12: Responsible Consumption and Production,12
7
+ 5, we are seeing promising changes in industries including the trend towards sustainability reporting being on the rise almost tripling the amount of published sustainability over just a few years showing increased levels of commitment and awareness that sustainability should be at the core of business practices,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,sustainability reporting,Goal 12: Responsible Consumption and Production,12
8
+ 6, food waste is another sign of over consumption and tackling food loss is urgent and requires dedicated policies informed by data as well as investments in technologies infrastructure education and monitoring,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,food waste,Goal 12: Responsible Consumption and Production,12
9
+ 7, a staggering million tons of food is wasted a year despite a huge number of the global population going hungry,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,food wasted,Goal 12: Responsible Consumption and Production,12
10
+ 8, why do we need to change the way we consume,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,consume,Goal 12: Responsible Consumption and Production,12
11
+ 9, economic and social progress over the last century has been accompanied by environmental degradation that is endangering the very systems on which our future development and very survival depend,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,environmental degradation,Goal 12: Responsible Consumption and Production,12
12
+ 10, a successful transition will mean improvements in resource efficiency consideration of the entire life cycle of economic activities and active engagement in multilateral environmental agreements,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,environmental agreements,Goal 12: Responsible Consumption and Production,12
13
+ 11, there are many aspects of consumption that with simple changes can have a big impact on society as a whole,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,consumption,Goal 12: Responsible Consumption and Production,12
14
+ 12, governments need to implement and enforce policies and regulations that include measures such as setting targets for reducing waste generation promoting circular economy practices and supporting sustainable procurement policies transitioning to a circular economy involves designing products for longevity repairability and recyclability,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,policies regulations,Goal 12: Responsible Consumption and Production,12
15
+ 13, it also involves promoting practices such as reusing refurbishing and recycling products to minimize waste and resource depletion,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,recycling products,Goal 12: Responsible Consumption and Production,12
16
+ 14, individuals can also adopt more sustainable lifestyles this can involve consuming less choosing products with lower environmental impacts and reducing the carbon footprint of day to day activities,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,sustainable lifestyles,Goal 12: Responsible Consumption and Production,12
17
+ 15, how can i help as a business,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,help business,Goal 12: Responsible Consumption and Production,12
18
+ 16, it s in businesses interest to find new solutions that enable sustainable consumption and production patterns,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,sustainable consumption,Goal 12: Responsible Consumption and Production,12
19
+ 17, a better understanding of environmental and social impacts of products and services is needed both of product life cycles and how these are affected by use within lifestyles,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,use lifestyles,Goal 12: Responsible Consumption and Production,12
20
+ 18, innovation and design solutions can both enable and inspire individuals to lead more sustainable lifestyles reducing impacts and improving well being,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,sustainable lifestyles,Goal 12: Responsible Consumption and Production,12
21
+ 19, how can i help as a consumer,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,help consumer,Goal 12: Responsible Consumption and Production,12
22
+ 20, there are two main ways to help ,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,ways help,Goal 12: Responsible Consumption and Production,12
23
+ 21,reducing your waste and being thoughtful about what you buy and choosing a sustainable option whenever possible,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,sustainable option,Goal 12: Responsible Consumption and Production,12
24
+ 22, ensure you don t throw away food and reduce your consumption of plastic one of the main pollutants of the ocean,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,pollutants ocean,Goal 12: Responsible Consumption and Production,12
25
+ 23, carrying a reusable bag refusing to use plastic straws and recycling plastic bottles are good ways to do your part every day,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,straws recycling,Goal 12: Responsible Consumption and Production,12
26
+ 24, by buying from sustainable and local sources you can make a difference as well as exercising pressure on businesses to adopt sustainable practices,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,buying sustainable,Goal 12: Responsible Consumption and Production,12
27
+ 25, facts and figuresgoal targetslinksfacts and figures the material footprint per capita in high income countries is times the level of low income countries,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,income countries,Goal 12: Responsible Consumption and Production,12
28
+ 26, the world is also seriously off track in its efforts to halve per capita food waste and losses by ,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,food waste,Goal 12: Responsible Consumption and Production,12
29
+ 27, global crises triggered a resurgence in fossil fuel subsidies nearly doubling from to ,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,fuel subsidies,Goal 12: Responsible Consumption and Production,12
30
+ 28, reporting has increased on corporate sustainability and on public procurement policies but has fallen when it comes to sustainable consumption and monitoring sustainable tourism,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,sustainable tourism,Goal 12: Responsible Consumption and Production,12
31
+ 29, responsible consumption and production must be integral to recovery from the pandemic and to acceleration plans of the sustainable development goals,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,responsible consumption,Goal 12: Responsible Consumption and Production,12
32
+ 30, it is crucial to implement policies that support a shift towards sustainable practices and decouple economic growth from resource use,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,shift sustainable,Goal 12: Responsible Consumption and Production,12
33
+ 31,source the sustainable development goals report goal targets ,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,sustainable development,Goal 12: Responsible Consumption and Production,12
34
+ 32, implement the year framework of programmes on sustainable consumption and production all countries taking action with developed countries taking the lead taking into account the development and capabilities of developing countries ,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,programmes sustainable,Goal 12: Responsible Consumption and Production,12
35
+ 33, by achieve the sustainable management and efficient use of natural resources ,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,achieve sustainable,Goal 12: Responsible Consumption and Production,12
36
+ 34, by halve per capita global food waste at the retail and consumer levels and reduce food losses along production and supply chains including post harvest losses ,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,food losses,Goal 12: Responsible Consumption and Production,12
37
+ 35, by achieve the environmentally sound management of chemicals and all wastes throughout their life cycle in accordance with agreed international frameworks and significantly reduce their release to air water and soil in order to minimize their adverse impacts on human health and the environment ,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,chemicals wastes,Goal 12: Responsible Consumption and Production,12
38
+ 36, by substantially reduce waste generation through prevention reduction recycling and reuse ,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,waste generation,Goal 12: Responsible Consumption and Production,12
39
+ 37, encourage companies especially large and transnational companies to adopt sustainable practices and to integrate sustainability information into their reporting cycle ,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,sustainability information,Goal 12: Responsible Consumption and Production,12
40
+ 38, promote public procurement practices that are sustainable in accordance with national policies and priorities ,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,public procurement,Goal 12: Responsible Consumption and Production,12
41
+ 39, by ensure that people everywhere have the relevant information and awareness for sustainable development and lifestyles in harmony with nature ,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,nature 12,Goal 12: Responsible Consumption and Production,12
42
+ 40,a support developing countries to strengthen their scientific and technological capacity to move towards more sustainable patterns of consumption and production ,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,consumption production,Goal 12: Responsible Consumption and Production,12
43
+ 41,b develop and implement tools to monitor sustainable development impacts for sustainable tourism that creates jobs and promotes local culture and products ,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,sustainable tourism,Goal 12: Responsible Consumption and Production,12
44
+ 42,c rationalize inefficient fossil fuel subsidies that encourage wasteful consumption by removing market distortions in accordance with national circumstances including by restructuring taxation and phasing out those harmful subsidies where they exist to reflect their environmental impacts taking fully into account the specific needs and conditions of developing countries and minimizing the possible adverse impacts on their development in a manner that protects the poor and the affected communities links the year framework of programmes on sustainable consumption and production un environment programme resource efficiency fao website for sustainable production international telecommunications union undp page for sustainable production consumption fast facts responsible consumption and production infographic responsible consumption and production related news actnow for zero waste fashion gallery actnow for zero waste fashion t aug climate action at the individual level involves changing habits and routines by making choices that have less harmful effects on the environment,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,sustainable consumption,Goal 12: Responsible Consumption and Production,12
45
+ 43,read more goal of the month exclusive interview with michelle yeoh undp goodwill ambassador gallery goal of the month exclusive interview with michelle yeoh undp goodwill ambassador t jun litres of water are required to make a single pair of jeans,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,goodwill ambassador2019,Goal 12: Responsible Consumption and Production,12
46
+ 44, undp goodwill ambassador michelle yeoh gives us tips on how we can adopt sustainable fashion in our daily lives,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,sustainable fashion,Goal 12: Responsible Consumption and Production,12
47
+ 45,martin t may un water coordinates the efforts of un entities and international organizations working on water and sanitation issues,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,water sanitation,Goal 12: Responsible Consumption and Production,12
48
+ 46, together we are the un water family and sdg to ensure the availability and sustainable management of ,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,family sdg,Goal 12: Responsible Consumption and Production,12
49
+ 47, read more nextload more postsrelated videosruna a t targeting plastics using nuclear techniques to tackle global challengesmartin t undp goodwill ambassador michelle yeoh follows the sustainable fashion trail dpicampaigns t sdg media zone sustainable fashionmartin t watch how we treat our waste affects our health environment and even our economiesshare this story choose your platform,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,sustainable fashionmartin2019,Goal 12: Responsible Consumption and Production,12
50
+ 48, the goals read moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread more sdg resources across the unsustainable development knowledge platform united nations sustainable development group united to reform united nations homepage sdg media zone un newsdroughts are causing record devastation worldwide un backed report revealspakistan reels under monsoon deluge as death toll climbsworld horse day honoring humanity s oldest and most loyal companionoverlooked and underestimated sand and dust storms wreak havoc across borders follow us united nations a z site index contact copyright faq fraud alert privacy notice terms of use page load link go to top,https://www.un.org/sustainabledevelopment/sustainable-consumption-production,united nations,Goal 12: Responsible Consumption and Production,12
src/train_bert/training_data/FeatureSet_13.csv ADDED
@@ -0,0 +1,203 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ ,text_data,source,best_key_word,category,label
2
+ 0,every person in every country in every continent will be impacted in some shape or form by climate change,https://www.un.org/sustainabledevelopment/climate-change,climate change,Goal 13: Climate Action,13
3
+ 1, there is a climate cataclysm looming and we are underprepared for what this could mean,https://www.un.org/sustainabledevelopment/climate-change,climate cataclysm,Goal 13: Climate Action,13
4
+ 2, climate change is caused by human activities and threatens life on earth as we know it,https://www.un.org/sustainabledevelopment/climate-change,climate change,Goal 13: Climate Action,13
5
+ 3, with rising greenhouse gas emissions climate change is occurring at rates much faster than anticipated,https://www.un.org/sustainabledevelopment/climate-change,climate change,Goal 13: Climate Action,13
6
+ 4, its impacts can be devastating and include extreme and changing weather patterns and rising sea levels,https://www.un.org/sustainabledevelopment/climate-change,impacts devastating,Goal 13: Climate Action,13
7
+ 5, if left unchecked climate change will undo a lot of the development progress made over the past years,https://www.un.org/sustainabledevelopment/climate-change,unchecked climate,Goal 13: Climate Action,13
8
+ 6, it will also provoke mass migrations that will lead to instability and wars,https://www.un.org/sustainabledevelopment/climate-change,mass migrations,Goal 13: Climate Action,13
9
+ 7, c above pre industrial levels emissions must already be decreasing and need to be cut by almost half by just seven years away,https://www.un.org/sustainabledevelopment/climate-change,emissions decreasing,Goal 13: Climate Action,13
10
+ 8, but we are drastically off track from this target,https://www.un.org/sustainabledevelopment/climate-change,track target,Goal 13: Climate Action,13
11
+ 9, urgent and transformative going beyond mere plans and promises are crucial,https://www.un.org/sustainabledevelopment/climate-change,plans promises,Goal 13: Climate Action,13
12
+ 10, it requires raising ambition covering entire economies and moving towards climate resilient development while outlining a clear path to achieve net zero emissions,https://www.un.org/sustainabledevelopment/climate-change,zero emissions,Goal 13: Climate Action,13
13
+ 11, immediate measures are necessary to avoid catastrophic consequences and secure a sustainable future for generations to come,https://www.un.org/sustainabledevelopment/climate-change,future generations,Goal 13: Climate Action,13
14
+ 12, act now the climate crisis continues unabated as the global community shies away from the full commitment required for its reversal,https://www.un.org/sustainabledevelopment/climate-change,climate crisis,Goal 13: Climate Action,13
15
+ 13, was the warmest decade ever recorded bringing with it massive wildfires hurricanes droughts floods and other climate disasters across continents,https://www.un.org/sustainabledevelopment/climate-change,warmest decade,Goal 13: Climate Action,13
16
+ 14, climate change is disrupting national economies and affecting lives and livelihoods especially for the most vulnerable,https://www.un.org/sustainabledevelopment/climate-change,climate change,Goal 13: Climate Action,13
17
+ 15, between and highly vulnerable regions home to approximately ,https://www.un.org/sustainabledevelopment/climate-change,vulnerable regions,Goal 13: Climate Action,13
18
+ 16, billion people experienced x higher human mortality rates from floods droughts and storms compared to regions with very low vulnerability,https://www.un.org/sustainabledevelopment/climate-change,rates floods,Goal 13: Climate Action,13
19
+ 17, what happens if you don t take action,https://www.un.org/sustainabledevelopment/climate-change,don action,Goal 13: Climate Action,13
20
+ 18, if left unchecked climate change will cause average global temperatures to increase beyond c and will adversely affect every ecosystem,https://www.un.org/sustainabledevelopment/climate-change,unchecked climate,Goal 13: Climate Action,13
21
+ 19, already we are seeing how climate change can exacerbate storms and disasters and threats such as food and water scarcity which can lead to conflict,https://www.un.org/sustainabledevelopment/climate-change,climate change,Goal 13: Climate Action,13
22
+ 20, doing nothing will end up costing us a lot more than if we take action now,https://www.un.org/sustainabledevelopment/climate-change,costing lot,Goal 13: Climate Action,13
23
+ 21, solving the problem to address climate change we have to vastly raise our ambition at all levels,https://www.un.org/sustainabledevelopment/climate-change,climate change,Goal 13: Climate Action,13
24
+ 22, much is happening around the world investments in renewable energy have soared,https://www.un.org/sustainabledevelopment/climate-change,investments renewable,Goal 13: Climate Action,13
25
+ 23, the world must transform its energy industry transport food agriculture and forestry systems to ensure that we can limit global temperature rise to well below c maybe even ,https://www.un.org/sustainabledevelopment/climate-change,global temperature,Goal 13: Climate Action,13
26
+ 24, in december the world took a significant first step by adopting the paris agreement in which all countries committed to take action to address climate change,https://www.un.org/sustainabledevelopment/climate-change,paris agreement,Goal 13: Climate Action,13
27
+ 25, however more actions are critically needed in order to meet the targets,https://www.un.org/sustainabledevelopment/climate-change,actions critically,Goal 13: Climate Action,13
28
+ 26, businesses and investors need to ensure emissions are lowered not just because it is the right thing to do but because it makes economic and business sense as well,https://www.un.org/sustainabledevelopment/climate-change,ensure emissions,Goal 13: Climate Action,13
29
+ 27, are we investing enough to combat climate change,https://www.un.org/sustainabledevelopment/climate-change,climate change,Goal 13: Climate Action,13
30
+ 28, according to the unfccc global climate finance flows reached an annual average of billion in a per cent increase compared to prior years,https://www.un.org/sustainabledevelopment/climate-change,climate finance,Goal 13: Climate Action,13
31
+ 29, however this still falls short of the levels needed to limit warming and fossil fuel related flows exceeded climate financing for adaptation and mitigation in ,https://www.un.org/sustainabledevelopment/climate-change,mitigation 2020,Goal 13: Climate Action,13
32
+ 30, in at least of the developing countries had undertaken activities to formulate and implement national adaptation plans to enhance climate adaptation and resilience an increase of countries over the previous year,https://www.un.org/sustainabledevelopment/climate-change,climate adaptation,Goal 13: Climate Action,13
33
+ 31, furthermore progress in meeting the disaster risk reduction target has been slow,https://www.un.org/sustainabledevelopment/climate-change,2020 disaster,Goal 13: Climate Action,13
34
+ 32, there are many things that each of us can do as individuals,https://www.un.org/sustainabledevelopment/climate-change,things individuals,Goal 13: Climate Action,13
35
+ 33, to find out what you can do go to www,https://www.un.org/sustainabledevelopment/climate-change,www,Goal 13: Climate Action,13
36
+ 34,org en actnow to read more about the un s efforts on climate change un,https://www.un.org/sustainabledevelopment/climate-change,efforts climate,Goal 13: Climate Action,13
37
+ 35,org climatechange facts and figuresgoal targetslinksfacts and figures,https://www.un.org/sustainabledevelopment/climate-change,climatechange facts,Goal 13: Climate Action,13
38
+ 36,with a climate cataclysm looming the pace and scale of current climate action plans are wholly insufficient to effectively tackle climate change,https://www.un.org/sustainabledevelopment/climate-change,climate cataclysm,Goal 13: Climate Action,13
39
+ 37, increasingly frequent and intense extreme weather events are already impacting every region on earth,https://www.un.org/sustainabledevelopment/climate-change,weather events,Goal 13: Climate Action,13
40
+ 38, rising temperatures will escalate these hazards further posing grave risks,https://www.un.org/sustainabledevelopment/climate-change,rising temperatures,Goal 13: Climate Action,13
41
+ 39, the intergovernmental panel on climate change ipcc emphasizes that deep rapid and sustained reductions in greenhouse gas ghg emissions are essential in all sectors beginning now and continuing throughout this decade,https://www.un.org/sustainabledevelopment/climate-change,ghg emissions,Goal 13: Climate Action,13
42
+ 40, c above pre industrial levels emissions must already be decreasing and need to be cut by almost half by just seven years away,https://www.un.org/sustainabledevelopment/climate-change,emissions decreasing,Goal 13: Climate Action,13
43
+ 41, urgent and transformative action is crucial going beyond mere plans and promises,https://www.un.org/sustainabledevelopment/climate-change,urgent transformative,Goal 13: Climate Action,13
44
+ 42, it requires raising ambition covering entire economies and moving towards climate resilient development while outlining a clear path to achieve net zero emissions,https://www.un.org/sustainabledevelopment/climate-change,zero emissions,Goal 13: Climate Action,13
45
+ 43, time is running out and immediate measures are necessary to avoid catastrophic consequences and secure a sustainable future for generations to come,https://www.un.org/sustainabledevelopment/climate-change,sustainable future,Goal 13: Climate Action,13
46
+ 44,source the sustainable development goals report goal targets ,https://www.un.org/sustainabledevelopment/climate-change,sustainable development,Goal 13: Climate Action,13
47
+ 45, strengthen resilience and adaptive capacity to climate related hazards and natural disasters in all countries ,https://www.un.org/sustainabledevelopment/climate-change,strengthen resilience,Goal 13: Climate Action,13
48
+ 46, integrate climate change measures into national policies strategies and planning ,https://www.un.org/sustainabledevelopment/climate-change,climate change,Goal 13: Climate Action,13
49
+ 47, improve education awareness raising and human and institutional capacity on climate change mitigation adaptation impact reduction and early warning ,https://www.un.org/sustainabledevelopment/climate-change,climate change,Goal 13: Climate Action,13
50
+ 48,a implement the commitment undertaken by developed country parties to the united nations framework convention on climate change to a goal of mobilizing jointly billion annually by from all sources to address the needs of developing countries in the context of meaningful mitigation actions and transparency on implementation and fully operationalize the green climate fund through its capitalization as soon as possible ,https://www.un.org/sustainabledevelopment/climate-change,climate fund,Goal 13: Climate Action,13
51
+ 49,b promote mechanisms for raising capacity for effective climate change related planning and management in least developed countries and small island developing states including focusing on women youth and local and marginalized communities acknowledging that the united nations framework convention on climate change is the primary international intergovernmental forum for negotiating the global response to climate change,https://www.un.org/sustainabledevelopment/climate-change,climate change,Goal 13: Climate Action,13
52
+ 50, links un and climate change site un framework on the convention on climate change world meteorological organization un population fund un environment climate change intergovernmental panel on climate change fao climate fast facts climate action infographic climate action climate action summit with global emissions are reaching record levels and showing no sign of peaking un secretary general ant nio guterres called on all leaders to come to new york on september for the climate action summit with concrete realistic plans to enhance their nationally determined contributions by in line with reducing greenhouse gas emissions by per cent over the next decade and to net zero emissions by ,https://www.un.org/sustainabledevelopment/climate-change,climate action,Goal 13: Climate Action,13
53
+ 51, read the report of the secretary general on the outcomes of the summit,https://www.un.org/sustainabledevelopment/climate-change,outcomes summit,Goal 13: Climate Action,13
54
+ 52, ipcc climate report the working group iii report provides an updated global assessment of climate change mitigation progress and pledges and examines the sources of global emissions,https://www.un.org/sustainabledevelopment/climate-change,ipcc climate,Goal 13: Climate Action,13
55
+ 53, it explains developments in emission reduction and mitigation efforts assessing the impact of national climate pledges in relation to long term emissions goals,https://www.un.org/sustainabledevelopment/climate-change,climate pledges,Goal 13: Climate Action,13
56
+ 54, read more here the paris agreement on climate changethe historic paris agreement provides an opportunity for countries to strengthen the global response to the threat of climate change by keeping a global temperature rise this century well below degrees celsius and to pursue efforts to limit the temperature increase even further to ,https://www.un.org/sustainabledevelopment/climate-change,paris agreement,Goal 13: Climate Action,13
57
+ 55, it entered into force on november ,https://www.un.org/sustainabledevelopment/climate-change,november 2016,Goal 13: Climate Action,13
58
+ 56, the un continues to encourage all stakeholders to take action toward reducing the impacts of climate change,https://www.un.org/sustainabledevelopment/climate-change,impacts climate,Goal 13: Climate Action,13
59
+ 57, see which countries have signed the paris agreementcop egypt ,https://www.un.org/sustainabledevelopment/climate-change,agreementcop27 egypt,Goal 13: Climate Action,13
60
+ 58,from to november heads of state ministers and negotiators along with climate activists mayors civil society representatives and ceos will meet in the egyptian coastal city of sharm el sheikh for the largest annual gathering on climate action,https://www.un.org/sustainabledevelopment/climate-change,meet egyptian,Goal 13: Climate Action,13
61
+ 59, the th conference of the parties to the united nations framework convention on climate change cop will build on the outcomes of cop to deliver action on an array of issues critical to tackling the climate emergency from urgently reducing greenhouse gas emissions building resilience and adapting to the inevitable impacts of climate change to delivering on the commitments to finance climate action in developing countries,https://www.un.org/sustainabledevelopment/climate-change,climate emergency,Goal 13: Climate Action,13
62
+ 60, read more about cop cop glasgow the un climate change conference in glasgow cop brought together world leaders and over registered participants including party delegates ,https://www.un.org/sustainabledevelopment/climate-change,cop26 glasgow,Goal 13: Climate Action,13
63
+ 61, for two weeks the world was riveted on all facets of climate change the science the solutions the political will to act and clear indications of action,https://www.un.org/sustainabledevelopment/climate-change,climate change,Goal 13: Climate Action,13
64
+ 62, the outcome of cop the glasgow climate pact is the fruit of intense negotiations among almost countries over the two weeks strenuous formal and informal work over many months and constant engagement both in person and virtually for nearly two years,https://www.un.org/sustainabledevelopment/climate-change,climate pact,Goal 13: Climate Action,13
65
+ 63, read more about cop cop madrid the madrid climate change conference cop brought the world together to consider ways to strengthen the implementation of the paris agreement,https://www.un.org/sustainabledevelopment/climate-change,cop25 madrid,Goal 13: Climate Action,13
66
+ 64, taking place from to december in madrid the conference came at a time when new data shows the climate emergency is getting worse every day and is impacting people s lives everywhere whether from extreme heat air pollution wildfires intensified flooding or droughts,https://www.un.org/sustainabledevelopment/climate-change,climate emergency,Goal 13: Climate Action,13
67
+ 65, read our blogs from the conference here,https://www.un.org/sustainabledevelopment/climate-change,blogs conference,Goal 13: Climate Action,13
68
+ 66, read more about cop cop katowice at the end of cop countries stressed the urgency of enhanced ambition in order to ensure the highest possible mitigation and adaptation efforts by all parties and agreed on a set of guidelines for implementing the landmark paris climate change agreement,https://www.un.org/sustainabledevelopment/climate-change,cop24 countries,Goal 13: Climate Action,13
69
+ 67, read more about cop cop bonn ,https://www.un.org/sustainabledevelopment/climate-change,cop24 cop23,Goal 13: Climate Action,13
70
+ 68,the un climate conference took place in bonn germany from november,https://www.un.org/sustainabledevelopment/climate-change,climate conference,Goal 13: Climate Action,13
71
+ 69, leaders of national governments cities states business investors ngos and civil society gathered to speed up climate action to meet the goals of the paris climate change agreement,https://www.un.org/sustainabledevelopment/climate-change,climate action,Goal 13: Climate Action,13
72
+ 70, read more about cop cop marrakesh the nd session of the conference of the parties cop to the unfccc took place in marrakesh morocco,https://www.un.org/sustainabledevelopment/climate-change,cop23cop22 marrakesh,Goal 13: Climate Action,13
73
+ 71, during cop parties began preparations for the entry into force of the paris agreement and to encourage actions to implement the agreement that will address climate change,https://www.un.org/sustainabledevelopment/climate-change,paris agreement,Goal 13: Climate Action,13
74
+ 72, read more about cop high level event towards entry into force september united nations secretary general ban ki moon convened a special high level event on entry into force of the paris agreement on climate change on september at the un headquarters in new york to provide an opportunity to other countries to publicly commit to joining the paris agreement before the end of ,https://www.un.org/sustainabledevelopment/climate-change,paris agreement,Goal 13: Climate Action,13
75
+ 73, recap of the high level event towards entry into force read more about the eventparis agreement signing ceremony april to keep the global spotlight focused on climate change and build on the strong political momentum from paris united nations secretary general ban ki moon invited representatives of all countries to sign the paris agreement on climate change at a special ceremony at the united nations headquarters on april,https://www.un.org/sustainabledevelopment/climate-change,eventparis agreement,Goal 13: Climate Action,13
76
+ 74, read more about the ceremony cop december the paris agreement was adopted by all parties to the united nations framework convention on climate change at cop in paris on december ,https://www.un.org/sustainabledevelopment/climate-change,paris agreement,Goal 13: Climate Action,13
77
+ 75, in the agreement all countries agreed to work to limit global temperature rise to well below degrees celsius and given the grave risks to strive for ,https://www.un.org/sustainabledevelopment/climate-change,global temperature,Goal 13: Climate Action,13
78
+ 76, implementation of the paris agreement is essential for the achievement of the sustainable development goals and provides a roadmap for climate actions that will reduce emissions and build climate resilience,https://www.un.org/sustainabledevelopment/climate-change,paris agreement,Goal 13: Climate Action,13
79
+ 77, cop recap paris agreement frequently asked questions what is the present status of the paris agreement on climate change,https://www.un.org/sustainabledevelopment/climate-change,paris agreement,Goal 13: Climate Action,13
80
+ 78, the paris agreement on climate change officially entered into force on november after countries accounting for per cent of the total global greenhouse gas emissions deposited their instruments of ratification acceptance or approval with the un secretary general,https://www.un.org/sustainabledevelopment/climate-change,paris agreement,Goal 13: Climate Action,13
81
+ 79, as of september countries have joined the paris agreement,https://www.un.org/sustainabledevelopment/climate-change,paris agreement,Goal 13: Climate Action,13
82
+ 80, what is the next step towards the implementation of the paris agreement,https://www.un.org/sustainabledevelopment/climate-change,paris agreement,Goal 13: Climate Action,13
83
+ 81, the real action is happening at the country level or even at the city or local level,https://www.un.org/sustainabledevelopment/climate-change,real action,Goal 13: Climate Action,13
84
+ 82, it is there that governments and businesses are working to reduce their carbon emissions and to build climate resilience,https://www.un.org/sustainabledevelopment/climate-change,carbon emissions,Goal 13: Climate Action,13
85
+ 83, the movement toward greater action is gaining momentum,https://www.un.org/sustainabledevelopment/climate-change,gaining momentum,Goal 13: Climate Action,13
86
+ 84, at the international level there is still the need to continue the maintain the momentum toward universal ratification of the agreement as well as the adoption of rules to guide the implementation of the agreement,https://www.un.org/sustainabledevelopment/climate-change,ratification agreement,Goal 13: Climate Action,13
87
+ 85,what are the most significant aspects about the new agreement,https://www.un.org/sustainabledevelopment/climate-change,new agreement,Goal 13: Climate Action,13
88
+ 86, the agreement provides a pathway forward to limit temperature rise to well below degrees maybe even ,https://www.un.org/sustainabledevelopment/climate-change,limit temperature,Goal 13: Climate Action,13
89
+ 87, the agreement provides a mechanism to increase the level of ambition,https://www.un.org/sustainabledevelopment/climate-change,level ambition,Goal 13: Climate Action,13
90
+ 88, the paris agreement is an ambitious dynamic and universal agreement,https://www.un.org/sustainabledevelopment/climate-change,paris agreement,Goal 13: Climate Action,13
91
+ 89, it covers all countries and all emissions and is designed to last,https://www.un.org/sustainabledevelopment/climate-change,covers countries,Goal 13: Climate Action,13
92
+ 90, it solidifies international cooperation for climate change,https://www.un.org/sustainabledevelopment/climate-change,climate change,Goal 13: Climate Action,13
93
+ 91, the paris agreement sends a powerful signal to markets that now is the time to invest in the low emission economy,https://www.un.org/sustainabledevelopment/climate-change,paris agreement,Goal 13: Climate Action,13
94
+ 92, it contains a transparency framework to build mutual trust and confidence,https://www.un.org/sustainabledevelopment/climate-change,trust confidence,Goal 13: Climate Action,13
95
+ 93, it will serve as an important tool in mobilizing finance technological support and capacity building for developing countries,https://www.un.org/sustainabledevelopment/climate-change,finance technological,Goal 13: Climate Action,13
96
+ 94, and it will also help to scale up global efforts to address and minimize loss and damage from climate change,https://www.un.org/sustainabledevelopment/climate-change,climate change,Goal 13: Climate Action,13
97
+ 95, paris is a beginning we now have to implement the agreement,https://www.un.org/sustainabledevelopment/climate-change,paris beginning,Goal 13: Climate Action,13
98
+ 96, but we have taken a giant step forward,https://www.un.org/sustainabledevelopment/climate-change,step forward,Goal 13: Climate Action,13
99
+ 97, is this agreement really going to help,https://www.un.org/sustainabledevelopment/climate-change,agreement,Goal 13: Climate Action,13
100
+ 98, there is no question that the world will be much better off because of this agreement,https://www.un.org/sustainabledevelopment/climate-change,better agreement,Goal 13: Climate Action,13
101
+ 99, the agreement will help move us toward a more sustainable future,https://www.un.org/sustainabledevelopment/climate-change,sustainable future,Goal 13: Climate Action,13
102
+ 100, the agreement is ambitious and it provides all the tools we need to address climate change for reducing emissions and to adapt to the impacts of climate change,https://www.un.org/sustainabledevelopment/climate-change,impacts climate,Goal 13: Climate Action,13
103
+ 101, the proof will be in the implementation by governments businesses and civil society,https://www.un.org/sustainabledevelopment/climate-change,proof implementation,Goal 13: Climate Action,13
104
+ 102, what does the agreement require countries to do,https://www.un.org/sustainabledevelopment/climate-change,agreement require,Goal 13: Climate Action,13
105
+ 103, the agreement requires all countries to take action while recognizing their differing situations and circumstances,https://www.un.org/sustainabledevelopment/climate-change,countries action,Goal 13: Climate Action,13
106
+ 104, under the agreement countries are responsible for taking action on both mitigation and adaptation,https://www.un.org/sustainabledevelopment/climate-change,countries responsible,Goal 13: Climate Action,13
107
+ 105, countries officially submitted their own nationally determined climate actions,https://www.un.org/sustainabledevelopment/climate-change,climate actions,Goal 13: Climate Action,13
108
+ 106, they have an obligation to implement these plans and if they do it will bend the curve downward in the projected global temperature rise,https://www.un.org/sustainabledevelopment/climate-change,plans bend,Goal 13: Climate Action,13
109
+ 107, the agreement not only formalizes the process of developing national plans but also it provides a binding requirement to assess and review progress on these plans,https://www.un.org/sustainabledevelopment/climate-change,national plans,Goal 13: Climate Action,13
110
+ 108, this mechanism will require countries to continuously upgrade their commitments and ensure that there will be no backtracking,https://www.un.org/sustainabledevelopment/climate-change,upgrade commitments,Goal 13: Climate Action,13
111
+ 109, this agreement is a clarion call from governments that they are ready for implementing the sustainable development agenda,https://www.un.org/sustainabledevelopment/climate-change,sustainable development,Goal 13: Climate Action,13
112
+ 110, what happens if a country doesn t live up to its commitments,https://www.un.org/sustainabledevelopment/climate-change,live commitments,Goal 13: Climate Action,13
113
+ 111, countries have every reason to comply with the terms of the agreement,https://www.un.org/sustainabledevelopment/climate-change,comply terms,Goal 13: Climate Action,13
114
+ 112, it is in their interest to implement the agreement not only in terms of achieving the benefits of taking climate action but also to show global solidarity,https://www.un.org/sustainabledevelopment/climate-change,climate action,Goal 13: Climate Action,13
115
+ 113, there is no benefit to flouting the agreement,https://www.un.org/sustainabledevelopment/climate-change,flouting agreement,Goal 13: Climate Action,13
116
+ 114, any short term time gain will be short lived,https://www.un.org/sustainabledevelopment/climate-change,gain short,Goal 13: Climate Action,13
117
+ 115, it will undoubtedly be overshadowed by negative reactions by other countries financial markets and most important by their citizens,https://www.un.org/sustainabledevelopment/climate-change,reactions countries,Goal 13: Climate Action,13
118
+ 116, developing countries stressed the need for equity and fairness,https://www.un.org/sustainabledevelopment/climate-change,equity fairness,Goal 13: Climate Action,13
119
+ 117,developing countries stressed the need for equity and fairness,https://www.un.org/sustainabledevelopment/climate-change,equity fairness,Goal 13: Climate Action,13
120
+ 118, the principle of common but differentiated responsibilities is reflected in this agreement,https://www.un.org/sustainabledevelopment/climate-change,differentiated responsibilities,Goal 13: Climate Action,13
121
+ 119, there is clearly a duty on all parties to take climate action according to the principle of common but differentiated responsibilities and respective capacities in the light of different national circumstances,https://www.un.org/sustainabledevelopment/climate-change,climate action,Goal 13: Climate Action,13
122
+ 120, how can paris get us to the degree or even ,https://www.un.org/sustainabledevelopment/climate-change,paris degree,Goal 13: Climate Action,13
123
+ 121, the paris agreement helps us to avoid locking in a level of ambition that would make the well below degrees goal improbable,https://www.un.org/sustainabledevelopment/climate-change,paris agreement,Goal 13: Climate Action,13
124
+ 122, in countries will have an opportunity to review their collective effort against the global goals prior to formally submitting their national contributions to the new agreement,https://www.un.org/sustainabledevelopment/climate-change,global goals,Goal 13: Climate Action,13
125
+ 123, this exercise will be repeated every five years,https://www.un.org/sustainabledevelopment/climate-change,exercise repeated,Goal 13: Climate Action,13
126
+ 124, we have an agreement and we have a chance now to reach our goal,https://www.un.org/sustainabledevelopment/climate-change,agreement chance,Goal 13: Climate Action,13
127
+ 125, we couldn t say that without an agreement,https://www.un.org/sustainabledevelopment/climate-change,say agreement,Goal 13: Climate Action,13
128
+ 126, the paris agreement will put us on a pathway to achieve the degree goal or less,https://www.un.org/sustainabledevelopment/climate-change,paris agreement,Goal 13: Climate Action,13
129
+ 127, we did not expect to leave paris with commitments to reach that goal but rather with a process that will get us there,https://www.un.org/sustainabledevelopment/climate-change,paris commitments,Goal 13: Climate Action,13
130
+ 128, and that is what the agreement provides,https://www.un.org/sustainabledevelopment/climate-change,agreement provides,Goal 13: Climate Action,13
131
+ 129, how are climate change and the paris agreement linked with the sustainable development goals,https://www.un.org/sustainabledevelopment/climate-change,paris agreement,Goal 13: Climate Action,13
132
+ 130, a strong climate agreement backed by action on the ground will help us achieve the sustainable development goals to end poverty build stronger economies and safer healthier and more liveable societies everywhere,https://www.un.org/sustainabledevelopment/climate-change,climate agreement,Goal 13: Climate Action,13
133
+ 131, there are of the sustainable development goals that directly involve taking action on climate change in addition to climate change having its own goal,https://www.un.org/sustainabledevelopment/climate-change,sustainable development,Goal 13: Climate Action,13
134
+ 132, the paris conference featured thousands of climate action announcements that demonstrated how civil society and the private sector are moving forward to address climate change,https://www.un.org/sustainabledevelopment/climate-change,climate action,Goal 13: Climate Action,13
135
+ 133, why is it so urgent that we do something now,https://www.un.org/sustainabledevelopment/climate-change,urgent,Goal 13: Climate Action,13
136
+ 134, the world has warmed before but never this quickly and it is due in large part to human activities,https://www.un.org/sustainabledevelopment/climate-change,world warmed,Goal 13: Climate Action,13
137
+ 135, for instance the changes in the arctic between just six years ago and now are shocking,https://www.un.org/sustainabledevelopment/climate-change,changes arctic,Goal 13: Climate Action,13
138
+ 136, people in most parts of the world are seeing and feeling the impacts we can limit global temperature rise to less than degrees if we take action now,https://www.un.org/sustainabledevelopment/climate-change,global temperature,Goal 13: Climate Action,13
139
+ 137, we need all countries and all sectors of society to act now it is in the interests of everyone,https://www.un.org/sustainabledevelopment/climate-change,countries sectors,Goal 13: Climate Action,13
140
+ 138, taking climate action now makes good economic sense,https://www.un.org/sustainabledevelopment/climate-change,climate action,Goal 13: Climate Action,13
141
+ 139, the more we delay the more we pay,https://www.un.org/sustainabledevelopment/climate-change,delay pay,Goal 13: Climate Action,13
142
+ 140, we can promote economic growth eradicate extreme poverty and improve people s health and well being by acting today,https://www.un.org/sustainabledevelopment/climate-change,poverty improve,Goal 13: Climate Action,13
143
+ 141, related news droughts are causing record devastation worldwide un backed report reveals gallery droughts are causing record devastation worldwide un backed report revealsdpicampaigns t jul worldwide some of the most widespread and damaging drought events ,https://www.un.org/sustainabledevelopment/climate-change,damaging drought,Goal 13: Climate Action,13
144
+ 142, pakistan reels under monsoon deluge as death toll climbs gallery,https://www.un.org/sustainabledevelopment/climate-change,pakistan reels,Goal 13: Climate Action,13
145
+ 143,pakistan reels under monsoon deluge as death toll climbs gallery pakistan reels under monsoon deluge as death toll climbsdpicampaigns t jul pakistan s monsoon emergency deepened on thursday as authorities declared disaster ,https://www.un.org/sustainabledevelopment/climate-change,monsoon deluge,Goal 13: Climate Action,13
146
+ 144, world horse day honoring humanity s oldest and most loyal companion gallery world horse day honoring humanity s oldest and most loyal companiondpicampaigns t jul spacious paddocks green pastures and a devoted all female staff on ,https://www.un.org/sustainabledevelopment/climate-change,horse day,Goal 13: Climate Action,13
147
+ 145, nextload more postsrelated videosmartin t launch of secretary general s youth advisory group on climate change julybuilding on the climate action momentum the secretary general will launch his youth advisory group on climate change on july to amplify youth voices and to engage young people in an open and transparent dialogue as the un gears up to raise ambition and accelerate action to address the climate crisis,https://www.un.org/sustainabledevelopment/climate-change,climate action,Goal 13: Climate Action,13
148
+ 146,martin t actnow climate campaign chef grace ramirezchef grace ramirez talks about sustainability and green hacks in support of the un s actnow climate campaign,https://www.un.org/sustainabledevelopment/climate-change,climate campaign,Goal 13: Climate Action,13
149
+ 147,martin t angry birds psa in support of the actnow climate campaignthe department of global communications is partnering with sony pictures entertainment and the un foundation for a second time on an initiative to promote the sustainable development goal take urgent action against climate change and its impacts,https://www.un.org/sustainabledevelopment/climate-change,climate change,Goal 13: Climate Action,13
150
+ 148, the goals read moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread more sdg resources across the unsustainable development knowledge platform united nations sustainable development group united to reform united nations homepage sdg media zone un newsdroughts are causing record devastation worldwide un backed report revealspakistan reels under monsoon deluge as death toll climbsworld horse day honoring humanity s oldest and most loyal companionoverlooked and underestimated sand and dust storms wreak havoc across borders follow us united nations a z site index contact copyright faq fraud alert privacy notice terms of use page load link go to top,https://www.un.org/sustainabledevelopment/climate-change,united nations,Goal 13: Climate Action,13
151
+ 0,green economy department of economic and social affairs sorry you need to enable javascript to visit this website,https://sdgs.un.org/topics/green-economy,green economy,Goal 13: Climate Action,13
152
+ 1, skip to main content welcome to the united nations englishfran ais espa ol department of economic and social affairs sustainable development main navigation home sdg knowledge sustainable development goals key topics agenda capacity development publications natural resources forum intergovernmental processes high level political forum on sustainable development un conferences and high level events related to sustainable development multi stakeholder forum on science technology and innovation for the sdgs second committee of the un general assembly samoa pathway ecosoc partnership forum hlpf sids th international conference on small island developing states small island developing states multidimensional vulnerability index for sids united nations sids partnerships awards sids partnership framework sdg actions sdg actions platform faq about the submission of voluntary commitments sdg actions engage events webinars member states un system stakeholder engagement news about topics green economy related sdgs promote sustained inclusive and sustainable ,https://sdgs.un.org/topics/green-economy,sustainable development,Goal 13: Climate Action,13
153
+ 2, description publications events documents statements milestones description,https://sdgs.un.org/topics/green-economy,description publications,Goal 13: Climate Action,13
154
+ 3,sustainable development has been the overarching goal of the international community since the un conference on environment and development unced in ,https://sdgs.un.org/topics/green-economy,sustainable development,Goal 13: Climate Action,13
155
+ 4, amongst numerous commitments the conference called upon governments to develop national strategies for sustainable development incorporating policy measures outlined in the rio declaration and agenda ,https://sdgs.un.org/topics/green-economy,sustainable development,Goal 13: Climate Action,13
156
+ 5, despite the efforts of many governments around the world to implement such strategies as well as international cooperation to support national governments there are continuing concerns over global economic and environmental developments in many countries,https://sdgs.un.org/topics/green-economy,concerns global,Goal 13: Climate Action,13
157
+ 6, these have been intensified by recent prolonged global energy food and financial crises and underscored by continued warnings from global scientists that society is transgressing a number of planetary boundaries or ecological limits,https://sdgs.un.org/topics/green-economy,ecological limits,Goal 13: Climate Action,13
158
+ 7, with governments today seeking effective ways to lead their nations out of these related crises whilst also taking into account these planetary boundaries green economy in its various forms has been proposed as a means for catalysing renewed national policy development and international cooperation and support for sustainable development,https://sdgs.un.org/topics/green-economy,green economy,Goal 13: Climate Action,13
159
+ 8, the concept has received significant international attention over the past few years as a tool to address the financial crisis as well as one of two themes for the un conference on sustainable development rio ,https://sdgs.un.org/topics/green-economy,sustainable development,Goal 13: Climate Action,13
160
+ 9, this has resulted in a rapidly expanding literature including new publications on green economy from a variety of influential international organisations national governments think tanks experts non government organisations and others,https://sdgs.un.org/topics/green-economy,green economy,Goal 13: Climate Action,13
161
+ 10, governments agreed at rio to frame the green economy as an important tool for sustainable development one that is inclusive and can drive economic growth employment and poverty eradication whilst maintaining the healthy functioning of the earth s ecosystems,https://sdgs.un.org/topics/green-economy,green economy,Goal 13: Climate Action,13
162
+ 11, importantly the outcome document also recognises that capacity building information exchange and experience sharing will be critical for implementing green economy policies,https://sdgs.un.org/topics/green-economy,green economy,Goal 13: Climate Action,13
163
+ 12, recent initiatives on green economy or green growth by the united nations environment program unep the un department of economic and social affairs undesa the united nations conference on trade and development unctad the international labour organisation ilo the world bank the organisation for economic cooperation and development oecd the global green growth institute gggi the partnership for action on green economy page the green growth knowledge platform ggkp the green economy coalition https www,https://sdgs.un.org/topics/green-economy,initiatives green,Goal 13: Climate Action,13
164
+ 13,org stakeholder forum the green growth leaders and many others have begun to address these knowledge gaps and demystify these concepts,https://sdgs.un.org/topics/green-economy,stakeholder forum,Goal 13: Climate Action,13
165
+ 14, importantly there is also emerging practice in the design and implementation of national green economy strategies by both developed and developing countries across most regions including africa latin america the asia pacific and europe,https://sdgs.un.org/topics/green-economy,green economy,Goal 13: Climate Action,13
166
+ 15, this emerging practice can help to provide some important insights and much needed clarity regarding the types of green economy policy measures their scope with regard to various sectors and national priorities and their institutional barriers risks and implementation costs,https://sdgs.un.org/topics/green-economy,green economy,Goal 13: Climate Action,13
167
+ 16,menu may serve to alleviate concerns regarding the effective integration of green economy policies with national economic and social priorities and objectives that a transition to a greener and more inclusive economy offers for advancing the agenda for sustainable development and its sustainable development goals sdgs,https://sdgs.un.org/topics/green-economy,green economy,Goal 13: Climate Action,13
168
+ 17,publications publication shared responsibility global solidarity responding to the socio economic impacts of covid this report is a call to action for the immediate health response required to suppress transmission of the virus to end the pandemic and to tackle the many social and economic dimensions of this crisis,https://sdgs.un.org/topics/green-economy,covid 19,Goal 13: Climate Action,13
169
+ 18, it is above all a call to focus on people women youth low wage workers small and medium ,https://sdgs.un.org/topics/green-economy,focus people,Goal 13: Climate Action,13
170
+ 19, read the document the global green economy index ggei measuring national performance in the green economy this th edition of the global green economy index ggei is a data driven analysis of how countries perform in the global green economy as well as how expert practitioners rank this performance,https://sdgs.un.org/topics/green-economy,index ggei,Goal 13: Climate Action,13
171
+ 20, since its launch in the ggei has signaled which countries are making progress towards greener ,https://sdgs.un.org/topics/green-economy,2010 ggei,Goal 13: Climate Action,13
172
+ 21, read the document transforming our world the agenda for sustainable development this agenda is a plan of action for people planet and prosperity,https://sdgs.un.org/topics/green-economy,agenda sustainable,Goal 13: Climate Action,13
173
+ 22, it also seeks to strengthen universal peace in larger freedom we recognize that eradicating poverty in all its forms and dimensions including extreme poverty is the greatest global challenge and an indispensable requirement for su,https://sdgs.un.org/topics/green-economy,eradicating poverty,Goal 13: Climate Action,13
174
+ 23, read the document multiple pathways to sustainable development initial findings from the global south in june twenty years after the landmark earth summit in rio de janeiro world leaders gathered again to re examine the global environmental agenda at the united nations conference on sustainable development rio ,https://sdgs.un.org/topics/green-economy,pathways sustainable,Goal 13: Climate Action,13
175
+ 24, the conference concluded with an outcome document entitled the future we w,https://sdgs.un.org/topics/green-economy,conference concluded,Goal 13: Climate Action,13
176
+ 25, read the document decent work green jobs and the sustainable economy rio in was attended by more than heads of state and government and over ministers,https://sdgs.un.org/topics/green-economy,jobs sustainable,Goal 13: Climate Action,13
177
+ 26, the rio outcome document sets out a vision of sustainable development with social inclusion,https://sdgs.un.org/topics/green-economy,social inclusion,Goal 13: Climate Action,13
178
+ 27, it firmly establishes the pivotal role of decent work for sustainable development both in a dedicated ch,https://sdgs.un.org/topics/green-economy,sustainable development,Goal 13: Climate Action,13
179
+ 28, read the document the global green economy index ggei measuring national performance in the green economy this th edition of the ggei is an in depth look at how countries perform in the global green economy as well as how expert practitioners rank this performance,https://sdgs.un.org/topics/green-economy,green economy,Goal 13: Climate Action,13
180
+ 29, like many indices the ggei is a communications tool signaling to policy makers international organizations the private sector and c,https://sdgs.un.org/topics/green-economy,ggei communications,Goal 13: Climate Action,13
181
+ 30, read the document green productivity commitment over policymakers senior officials from relevant ministries and government agencies and consultants involved in green productivity gp convened in taipei november ,https://sdgs.un.org/topics/green-economy,green productivity,Goal 13: Climate Action,13
182
+ 31, seventy five asian productivity organization apo members representing countries from across the asia pacific regio,https://sdgs.un.org/topics/green-economy,organization apo,Goal 13: Climate Action,13
183
+ 32,sids partnerships briefs sustainable economic development the third international conference on small island developing states sids conference will be held from to september in apia samoa with the overarching theme as the sustainable development of small island developing states through genuine and durable partnerships ,https://sdgs.un.org/topics/green-economy,sids partnerships,Goal 13: Climate Action,13
184
+ 33, read the document energy for people centered sustainable development whether viewed from a social environmental or economic perspective the energy sector presents a fundamental challenge standing in the way of sustainable development,https://sdgs.un.org/topics/green-economy,energy sector,Goal 13: Climate Action,13
185
+ 34, both within and among countries high levels of inequality persist in access to and consumption of energy,https://sdgs.un.org/topics/green-economy,consumption energy,Goal 13: Climate Action,13
186
+ 35, read the document voluntary commitments and partnerships for sustainable development a special edition of the sd in action newsletter voluntary commitments and partnerships for sustainable development are multi stakeholder initiatives voluntarily undertaken by governments intergovernmental organizations major groups and others that aim to contribute to the implementation of intergovernmentally agreed sustainable development goal,https://sdgs.un.org/topics/green-economy,voluntary commitments,Goal 13: Climate Action,13
187
+ 36, read the document a guidebook to the green economy issue a guide to international green economy initiatives in this issue of a guidebook to the green economy the focus turns to the various international initiatives that are supporting countries and stakeholders to implement the green economy worldwide by providing a range of services including information exchange data management capacity building f,https://sdgs.un.org/topics/green-economy,green economy,Goal 13: Climate Action,13
188
+ 37, read the document vietnam implementation of sustainable development national report at the un conference on sustainable development rio vietnam has taken part in the earth summit on environment and development in rio de janeiro brazil in the world summit on sustainable development in johannesburg south africa in signed the rio declaration on environment and development the global agenda etc,https://sdgs.un.org/topics/green-economy,sustainable development,Goal 13: Climate Action,13
189
+ 38, read the document pagination next page last last page events see all events feb mon wed th session of the commission for social development csocd unhq ny jul wed thu bridging the implementation gap for rio workshop and open side event to the high level political forum on sustainable development the overall theme question addressed by the session is how can green economy approaches help reduce poverty inequality and vulnerabilities while ensuring environmental sustainability,https://sdgs.un.org/topics/green-economy,sustainable development,Goal 13: Climate Action,13
190
+ 39, the sessions are highlighting multi benefit opportunities across the energy food and water nexus,https://sdgs.un.org/topics/green-economy,energy food,Goal 13: Climate Action,13
191
+ 40, drawing from un secretariat north lawn building room new york jan sun mon blue economy summit the goal of the meeting is to discuss how to utilise the blue economy as a tool to shift development in small island development states sids and coastal states towards a sustainable development trajectory building on the rio consensus,https://sdgs.un.org/topics/green-economy,blue economy,Goal 13: Climate Action,13
192
+ 41, noting that the blue economy founded in line with the con abu dhabi united arab emirates sep wed ,https://sdgs.un.org/topics/green-economy,arab emirates,Goal 13: Climate Action,13
193
+ 42,noting that the blue economy founded in line with the con abu dhabi united arab emirates sep wed rio from outcome to action partnering for action on green economy this event organized in conjunction with the emg senior officials meeting is intended to provide an informal platform for governments un agencies donors and other stakeholders to share national experiences on recent initiatives and developments towards green economy promotion in the context of s conference room nlb new york jun mon wed united nations conference on sustainable development rio the united nations conference on sustainable development uncsd was organized in pursuance of general assembly resolution a res ,https://sdgs.un.org/topics/green-economy,conference sustainable,Goal 13: Climate Action,13
194
+ 43, the conference took place in brazil from to june to mark the th anniversary of the united nations conference on environment and developm rio de janeiro brazil sep fri sat msi five year review of the mauritius strategy of implementation new york usa displaying of title type date key messages of bridging the implementation gap for rio workshop other documents jul concept note and programme on bridging the implementation gap logistics jul event on partnering for action on green economy other documents sep un habitat urban patterns for a green economy other documents feb incheon communique other documents nov initiatives and key actors involved in post rio green economy work other documents nov a res the future we want resolutions and decisions sep a conf,https://sdgs.un.org/topics/green-economy,mauritius strategy,Goal 13: Climate Action,13
195
+ 44, pc objective and themes of the united nations conference on sustainable development secretary general reports dec a conf,https://sdgs.un.org/topics/green-economy,sustainable development,Goal 13: Climate Action,13
196
+ 45, pc progress to date and remaining gaps in the implementation of the outcomes of the major secretary general reports apr displaying of title category date sort ascending elliott harris director unep office in new york presentations jul franco carvajal economist ministry of environment ecuador presentations jul rasman ouedraodo minist re de l environnement et d veloppement durable burkina faso presentations jul marta rivera fundaci n solar presentations jul dr kouadio alain serges minist re de l environnement et du d veloppement durable cote presentations jul ana persic unesco new york office presentations jul partnership for action on green economy page presentations jul david o connor chief policy and analysis branch division for sustainable presentations jul kwabena a,https://sdgs.un.org/topics/green-economy,environment ecuador,Goal 13: Climate Action,13
197
+ 46,david o connor chief policy and analysis branch division for sustainable presentations jul kwabena a,https://sdgs.un.org/topics/green-economy,sustainable,Goal 13: Climate Action,13
198
+ 47, otu danquah energy commission presentations jul charles arden clarke acting head yfp secretariat unep presentations jul fitz maurice christian environment division antigua and barbuda presentations jul hadram al fayez ministry of planning and international cooperation jordan presentations jul tim scott environment and energy group bureau for development policy unep presentations jul wei liu sustainable development officer policy analysis branch division for presentations jul qazi kholiquzzaman ahmad presentations jul pagination next next page last last page milestones january future we want chap,https://sdgs.un.org/topics/green-economy,energy commission,Goal 13: Climate Action,13
199
+ 48, member states acknowledge in the future we want the different approaches visions models and tools available to each country in accordance with their national circumstances and priorities to achieve sustainable development in its three dimensions,https://sdgs.un.org/topics/green-economy,sustainable development,Goal 13: Climate Action,13
200
+ 49, green economy is considered as one of the important tools available for achieving sustainable development,https://sdgs.un.org/topics/green-economy,green economy,Goal 13: Climate Action,13
201
+ 50, january agenda as main outcome of the un earth summit held in rio in agenda calls for a global partnership able to address the problems of the present and prepare the international community for the challenges of the upcoming century,https://sdgs.un.org/topics/green-economy,1992 agenda,Goal 13: Climate Action,13
202
+ 51, bearing in mind the perpetuation of disparities laying between and within nations the worsening of poverty hunger ill health and illiteracy and the continuing deterioration of the ecosystems on which humanity depends for their well being agenda identifies integration of environment and development concerns and greater attention to them as leading factors for the fulfilment of basic needs improved living standards for all better protected and managed ecosystems,https://sdgs.un.org/topics/green-economy,ecosystems humanity,Goal 13: Climate Action,13
203
+ 52, events see all events feb th session of the commission for social development csocd mon wed feb related goals jul bridging the implementation gap for rio workshop and open side event to the high level political forum on sustainable development wed thu jul jan blue economy summit sun mon jan sep rio from outcome to action partnering for action on green economy wed wed sep join the conversation footer menu contact copyright fraud alert privacy notice terms of use,https://sdgs.un.org/topics/green-economy,economy summit,Goal 13: Climate Action,13
src/train_bert/training_data/FeatureSet_14.csv ADDED
The diff for this file is too large to render. See raw diff
 
src/train_bert/training_data/FeatureSet_15.csv ADDED
The diff for this file is too large to render. See raw diff
 
src/train_bert/training_data/FeatureSet_16.csv ADDED
@@ -0,0 +1,197 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ ,text_data,source,best_key_word,category,label
2
+ 0,goal is about promoting peaceful and inclusive societies providing access to justice for all and building effective accountable and inclusive institutions at all levels,https://www.un.org/sustainabledevelopment/peace-justice,inclusive institutions,"Goal 16: Peace, Justice, and Strong Instiutions",16
3
+ 1, people everywhere should be free of fear from all forms of violence and feel safe as they go about their lives whatever their ethnicity faith or sexual orientation,https://www.un.org/sustainabledevelopment/peace-justice,free fear,"Goal 16: Peace, Justice, and Strong Instiutions",16
4
+ 2, however ongoing and new violent conflicts around the world are derailing the global path to peace and achievement of goal ,https://www.un.org/sustainabledevelopment/peace-justice,conflicts world,"Goal 16: Peace, Justice, and Strong Instiutions",16
5
+ 3, alarmingly the year witnessed a more than per cent increase in conflict related civilian deaths the first since the adoption of agenda largely due to the war in ukraine,https://www.un.org/sustainabledevelopment/peace-justice,agenda 2030,"Goal 16: Peace, Justice, and Strong Instiutions",16
6
+ 4, high levels of armed violence and insecurity have a destructive impact on a country s development while sexual violence crime exploitation and torture are prevalent where there is conflict or no rule of law and countries must take measures to protect those who are most at risk,https://www.un.org/sustainabledevelopment/peace-justice,violence insecurity,"Goal 16: Peace, Justice, and Strong Instiutions",16
7
+ 5, governments civil society and communities need to work together to find lasting solutions to conflict and insecurity,https://www.un.org/sustainabledevelopment/peace-justice,solutions conflict,"Goal 16: Peace, Justice, and Strong Instiutions",16
8
+ 6, strengthening the rule of law and promoting human rights is key to this process as is reducing the flow of illicit arms combating corruption and ensuring inclusive participation at all times,https://www.un.org/sustainabledevelopment/peace-justice,strengthening rule,"Goal 16: Peace, Justice, and Strong Instiutions",16
9
+ 7, high levels of armed violence and insecurity have a destructive impact on a country s development,https://www.un.org/sustainabledevelopment/peace-justice,armed violence,"Goal 16: Peace, Justice, and Strong Instiutions",16
10
+ 8, sexual violence crime exploitation and torture are prevalent where there is conflict or no rule of law,https://www.un.org/sustainabledevelopment/peace-justice,torture prevalent,"Goal 16: Peace, Justice, and Strong Instiutions",16
11
+ 9, governments civil society and communities need to work together to find lasting solutions to conflict and insecurity,https://www.un.org/sustainabledevelopment/peace-justice,solutions conflict,"Goal 16: Peace, Justice, and Strong Instiutions",16
12
+ 10, strengthening the rule of law and promoting human rights is key to this process as is reducing the flow of illicit arms combating corruption and ensuring inclusive participation at all times,https://www.un.org/sustainabledevelopment/peace-justice,strengthening rule,"Goal 16: Peace, Justice, and Strong Instiutions",16
13
+ 11, how does this apply to where i live,https://www.un.org/sustainabledevelopment/peace-justice,does apply,"Goal 16: Peace, Justice, and Strong Instiutions",16
14
+ 12, goal aligns with the broader human rights framework by promoting societies that respect and uphold individual rights as well as the right to privacy freedom of expression and access to information,https://www.un.org/sustainabledevelopment/peace-justice,individual rights,"Goal 16: Peace, Justice, and Strong Instiutions",16
15
+ 13, peace is a fundamental precondition for social and economic development,https://www.un.org/sustainabledevelopment/peace-justice,peace fundamental,"Goal 16: Peace, Justice, and Strong Instiutions",16
16
+ 14, without peace societies are often plagued by conflict violence and instability which can hinder progress and result in the loss of lives and resources,https://www.un.org/sustainabledevelopment/peace-justice,peace societies,"Goal 16: Peace, Justice, and Strong Instiutions",16
17
+ 15, equal access to justice is essential for protecting the rights of individuals resolving disputes and ensuring that vulnerable populations are not marginalized or mistreated,https://www.un.org/sustainabledevelopment/peace-justice,access justice,"Goal 16: Peace, Justice, and Strong Instiutions",16
18
+ 16, crimes threatening peaceful societies including homicides trafficking and other organized crimes as well as discriminatory laws or practices affect all countries,https://www.un.org/sustainabledevelopment/peace-justice,crimes threatening,"Goal 16: Peace, Justice, and Strong Instiutions",16
19
+ 17, armed violence and insecurity have a destructive impact on a country s development affecting economic growth and often resulting in long standing grievances among communities,https://www.un.org/sustainabledevelopment/peace-justice,armed violence,"Goal 16: Peace, Justice, and Strong Instiutions",16
20
+ 18, violence also affects children s health development and well being and their ability to thrive,https://www.un.org/sustainabledevelopment/peace-justice,violence affects,"Goal 16: Peace, Justice, and Strong Instiutions",16
21
+ 19, it causes trauma and weakens social inclusion,https://www.un.org/sustainabledevelopment/peace-justice,social inclusion,"Goal 16: Peace, Justice, and Strong Instiutions",16
22
+ 20, lack of access to justice means that conflicts remain unresolved and people cannot obtain protection and redress,https://www.un.org/sustainabledevelopment/peace-justice,conflicts remain,"Goal 16: Peace, Justice, and Strong Instiutions",16
23
+ 21, institutions that do not function according to legitimate laws are prone to arbitrariness and abuse of power and less capable of delivering public service to everyone,https://www.un.org/sustainabledevelopment/peace-justice,institutions,"Goal 16: Peace, Justice, and Strong Instiutions",16
24
+ 22, to exclude and to discriminate not only violates human rights but also causes resentment and animosity and could give rise to violence,https://www.un.org/sustainabledevelopment/peace-justice,discriminate violates,"Goal 16: Peace, Justice, and Strong Instiutions",16
25
+ 23, exercise your rights to hold your elected officials to account to freedom of information and share your opinion with your elected representatives,https://www.un.org/sustainabledevelopment/peace-justice,freedom information,"Goal 16: Peace, Justice, and Strong Instiutions",16
26
+ 24, promote inclusion and respect towards people of different ethnic origins religions gender sexual orientations or different opinions,https://www.un.org/sustainabledevelopment/peace-justice,promote inclusion,"Goal 16: Peace, Justice, and Strong Instiutions",16
27
+ 25, facts and figuresgoal targetslinksfacts and figures,https://www.un.org/sustainabledevelopment/peace-justice,targetslinksfacts figures,"Goal 16: Peace, Justice, and Strong Instiutions",16
28
+ 26,ongoing and new violent conflicts around the world are derailing the global path to peace and achievement of goal ,https://www.un.org/sustainabledevelopment/peace-justice,conflicts world,"Goal 16: Peace, Justice, and Strong Instiutions",16
29
+ 27, alarmingly the year witnessed a more than per cent increase in conflict related civilian deaths largely due to the war in ukraine,https://www.un.org/sustainabledevelopment/peace-justice,deaths largely,"Goal 16: Peace, Justice, and Strong Instiutions",16
30
+ 28, as of the end of ,https://www.un.org/sustainabledevelopment/peace-justice,2022 108,"Goal 16: Peace, Justice, and Strong Instiutions",16
31
+ 29, million people were forcibly displaced worldwide an increase of million compared with the end of and two and a half times the number of a decade ago,https://www.un.org/sustainabledevelopment/peace-justice,displaced worldwide,"Goal 16: Peace, Justice, and Strong Instiutions",16
32
+ 30, in the world experienced the highest number of intentional homicides in the past two decades,https://www.un.org/sustainabledevelopment/peace-justice,intentional homicides,"Goal 16: Peace, Justice, and Strong Instiutions",16
33
+ 31, structural injustices inequalities and emerging human rights challenges are putting peaceful and inclusive societies further out of reach,https://www.un.org/sustainabledevelopment/peace-justice,injustices inequalities,"Goal 16: Peace, Justice, and Strong Instiutions",16
34
+ 32, to meet goal by action is needed to restore trust and to strengthen the capacity of institutions to secure justice for all and facilitate peaceful transitions to sustainable development,https://www.un.org/sustainabledevelopment/peace-justice,transitions sustainable,"Goal 16: Peace, Justice, and Strong Instiutions",16
35
+ 33, source the sustainable development goals report goal targets ,https://www.un.org/sustainabledevelopment/peace-justice,sustainable development,"Goal 16: Peace, Justice, and Strong Instiutions",16
36
+ 34, significantly reduce all forms of violence and related death rates everywhere ,https://www.un.org/sustainabledevelopment/peace-justice,death rates,"Goal 16: Peace, Justice, and Strong Instiutions",16
37
+ 35, end abuse exploitation trafficking and all forms of violence against and torture of children ,https://www.un.org/sustainabledevelopment/peace-justice,exploitation trafficking,"Goal 16: Peace, Justice, and Strong Instiutions",16
38
+ 36, promote the rule of law at the national and international levels and ensure equal access to justice for all ,https://www.un.org/sustainabledevelopment/peace-justice,justice 16,"Goal 16: Peace, Justice, and Strong Instiutions",16
39
+ 37, by significantly reduce illicit financial and arms flows strengthen the recovery and return of stolen assets and combat all forms of organized crime ,https://www.un.org/sustainabledevelopment/peace-justice,crime 16,"Goal 16: Peace, Justice, and Strong Instiutions",16
40
+ 38, substantially reduce corruption and bribery in all their forms ,https://www.un.org/sustainabledevelopment/peace-justice,reduce corruption,"Goal 16: Peace, Justice, and Strong Instiutions",16
41
+ 39, develop effective accountable and transparent institutions at all levels ,https://www.un.org/sustainabledevelopment/peace-justice,transparent institutions,"Goal 16: Peace, Justice, and Strong Instiutions",16
42
+ 40, ensure responsive inclusive participatory and representative decision making at all levels ,https://www.un.org/sustainabledevelopment/peace-justice,participatory representative,"Goal 16: Peace, Justice, and Strong Instiutions",16
43
+ 41, broaden and strengthen the participation of developing countries in the institutions of global governance ,https://www.un.org/sustainabledevelopment/peace-justice,global governance,"Goal 16: Peace, Justice, and Strong Instiutions",16
44
+ 42, by provide legal identity for all including birth registration ,https://www.un.org/sustainabledevelopment/peace-justice,birth registration,"Goal 16: Peace, Justice, and Strong Instiutions",16
45
+ 43, ensure public access to information and protect fundamental freedoms in accordance with national legislation and international agreements ,https://www.un.org/sustainabledevelopment/peace-justice,fundamental freedoms,"Goal 16: Peace, Justice, and Strong Instiutions",16
46
+ 44,a strengthen relevant national institutions including through international cooperation for building capacity at all levels in particular in developing countries to prevent violence and combat terrorism and crime ,https://www.un.org/sustainabledevelopment/peace-justice,international cooperation,"Goal 16: Peace, Justice, and Strong Instiutions",16
47
+ 45,b promote and enforce non discriminatory laws and policies for sustainable development links united nations educational scientific and cultural organization office of the high commissioner for human rights universal declaration of human rights un department of political affairs un development programme united nations office on drugs and crime unicef endviolence safetolearn united nations peacekeeping un counter terrorism committee high time to end violence against children un action for cooperation against trafficking in persons un act un office of the special representative of the secretary general on violence against children un mine action service the global partnership to end violence against children fast facts peace justice and strong institution infographic peace justice and strong institutions related news showcasing nature based solutions meet the un prize winners gallery,https://www.un.org/sustainabledevelopment/peace-justice,unicef endviolence,"Goal 16: Peace, Justice, and Strong Instiutions",16
48
+ 46,showcasing nature based solutions meet the un prize winners gallery showcasing nature based solutions meet the un prize winnersmasayoshi suga t aug categories featured goal peace and justice goal zero hunger goal quality education new york august the united nations development programme undp and partners have announced the winners of the th equator prize recognizing ten indigenous peoples and local communities from nine countries,https://www.un.org/sustainabledevelopment/peace-justice,equator prize,"Goal 16: Peace, Justice, and Strong Instiutions",16
49
+ 47, read more i wanted to contribute to protecting the world s most vulnerable gallery i wanted to contribute to protecting the world s most vulnerable t may categories featured goal peace and justice news last year superintendent of police phyllis osei from ghana serving with the united nations assistance mission in somalia unsom was awarded the united nations female police peacekeeper of the year award,https://www.un.org/sustainabledevelopment/peace-justice,world vulnerable2019,"Goal 16: Peace, Justice, and Strong Instiutions",16
50
+ 48, read more goal of the month exclusive interview with nadia murad nobel peace prize winner and goodwill ambassadormartin t apr categories goal peace and justice goal of the month in an exclusive interview nadia murad goodwill ambassador for the dignity of survivors of human trafficking talks about the resilience of victimized communities and the support they need to rebuild their lives,https://www.un.org/sustainabledevelopment/peace-justice,interview nadia,"Goal 16: Peace, Justice, and Strong Instiutions",16
51
+ 49,read more nextrelated videosmartin t goal right to press freedom and informationmartin t training security forces on freedom of expression and the safety of journalistsmartin t building effective accountable and inclusive institutions to achieve sustainable development the goals read moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread more sdg resources across the unsustainable development knowledge platform united nations sustainable development group united to reform united nations homepage sdg media zone un newsdroughts are causing record devastation worldwide un backed report revealspakistan reels under monsoon deluge as death toll climbsworld horse day honoring humanity s oldest and most loyal companionoverlooked and underestimated sand and dust storms wreak havoc across borders follow us united nations a z site index contact copyright faq fraud alert privacy notice terms of use page load link go to top,https://www.un.org/sustainabledevelopment/peace-justice,united nations,"Goal 16: Peace, Justice, and Strong Instiutions",16
52
+ 0,institutional frameworks and international cooperation for sustainable development department of economic and social affairs sorry you need to enable javascript to visit this website,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,sustainable development,"Goal 16: Peace, Justice, and Strong Instiutions",16
53
+ 1, skip to main content welcome to the united nations englishfran ais espa ol department of economic and social affairs sustainable development main navigation home sdg knowledge sustainable development goals key topics agenda capacity development publications natural resources forum intergovernmental processes high level political forum on sustainable development un conferences and high level events related to sustainable development multi stakeholder forum on science technology and innovation for the sdgs second committee of the un general assembly samoa pathway ecosoc partnership forum hlpf sids th international conference on small island developing states small island developing states multidimensional vulnerability index for sids united nations sids partnerships awards sids partnership framework sdg actions sdg actions platform faq about the submission of voluntary commitments sdg actions engage events webinars member states un system stakeholder engagement news about topics institutional frameworks and international cooperation for sustainable development related sdgs promote peaceful and inclusive societies for ,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,sustainable development,"Goal 16: Peace, Justice, and Strong Instiutions",16
54
+ 2, description publications events documents statements milestones description as far as the agenda is concerned goal is devoted to the promotion of peaceful and inclusive societies for sustainable development the provision of access to justice for all and to the establishment of effective accountable and inclusive institutions at all levels,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,2030 agenda,"Goal 16: Peace, Justice, and Strong Instiutions",16
55
+ 3, goal is related to strengthening the means of implementation and revitalization of the global partnership for sustainable development,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,partnership sustainable,"Goal 16: Peace, Justice, and Strong Instiutions",16
56
+ 4, the strengthening of the framework to finance sustainable development and the means of implementation for the agenda is ensured by the addis ababa action agenda,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,finance sustainable,"Goal 16: Peace, Justice, and Strong Instiutions",16
57
+ 5, the addis agenda is the outcome document adopted at the third international conference on financing for development in july and endorsed by the general assembly in its resolution of july ,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,addis agenda,"Goal 16: Peace, Justice, and Strong Instiutions",16
58
+ 6, with the adoption of future we want the outcome document of the rio conference held from to june member states decided to establish a universal intergovernmental high level political forum building on the strengths experiences resources and inclusive participation modalities of the commission on sustainable development and subsequently replacing the commission,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,rio 20,"Goal 16: Peace, Justice, and Strong Instiutions",16
59
+ 7, the high level political forum shall follow up on the implementation of sustainable development and should avoid overlap with existing structures bodies and entities in a cost effective manner,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,implementation sustainable,"Goal 16: Peace, Justice, and Strong Instiutions",16
60
+ 8, the high level political forum on sustainable development is today the main united nations platform on sustainable development,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,forum sustainable,"Goal 16: Peace, Justice, and Strong Instiutions",16
61
+ 9, it provides political leadership guidance and recommendations,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,provides political,"Goal 16: Peace, Justice, and Strong Instiutions",16
62
+ 10, it follows up and reviews the implementation of sustainable development commitments and the agenda for sustainable development,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,implementation sustainable,"Goal 16: Peace, Justice, and Strong Instiutions",16
63
+ 11, it addresses new and emerging challenges promotes the science policy interface and enhances the integration of economic social and environmental dimensions of sustainable development,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,sustainable development,"Goal 16: Peace, Justice, and Strong Instiutions",16
64
+ 12,publications raising ambition in the era of paris and pandemic recovery this synthesis report provides a summary of the deliberations made during the above mentioned learning series,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,paris pandemic,"Goal 16: Peace, Justice, and Strong Instiutions",16
65
+ 13, it also provides conceptual and methodological information on how to achieve better synergies and overcome constraints,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,provides conceptual,"Goal 16: Peace, Justice, and Strong Instiutions",16
66
+ 14, harnessing synergies is particularly critical in the context of insti,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,harnessing synergies,"Goal 16: Peace, Justice, and Strong Instiutions",16
67
+ 15, read the document consultations on climate and sdg synergies for a better and stronger recovery from the covid pandemic the consultations focused attention on the possibilities for simultaneously advancing economic recovery climate action and sdg objectives,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,climate sdg,"Goal 16: Peace, Justice, and Strong Instiutions",16
68
+ 16, contributors to these consultations expanded our understanding of climate and sdg synergies and illustrated how such synergies can enable countries to rai,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,climate sdg,"Goal 16: Peace, Justice, and Strong Instiutions",16
69
+ 17, read the document publication shared responsibility global solidarity responding to the socio economic impacts of covid this report is a call to action for the immediate health response required to suppress transmission of the virus to end the pandemic and to tackle the many social and economic dimensions of this crisis,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,covid 19,"Goal 16: Peace, Justice, and Strong Instiutions",16
70
+ 18, it is above all a call to focus on people women youth low wage workers small and medium ,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,focus people,"Goal 16: Peace, Justice, and Strong Instiutions",16
71
+ 19, read the document implementing the addis ababa action agenda the ecosoc forum on financing for development follow up the second economic and social council ecosoc forum on financing for development follow up ffd forum was held from to may in new york,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,financing development,"Goal 16: Peace, Justice, and Strong Instiutions",16
72
+ 20, the forum s extensive programme included a ministerial segment featuring the special high level meeting with the bretton woods institutions the worl,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,woods institutions,"Goal 16: Peace, Justice, and Strong Instiutions",16
73
+ 21, read the document institutional and coordination mechanisms guidance note on facilitating integration and coherence for sdg implementation the institutional and coordination mechanisms guidance note aims to provide information on how countries have adapted their existing institutional and coordination frameworks or established new ones in order to implement the sdgs,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,institutional coordination,"Goal 16: Peace, Justice, and Strong Instiutions",16
74
+ 22, it highlights efforts to mobilize institutions around the sdgs impro,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,institutions sdgs,"Goal 16: Peace, Justice, and Strong Instiutions",16
75
+ 23, read the document transforming our world the agenda for sustainable development this agenda is a plan of action for people planet and prosperity,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,agenda sustainable,"Goal 16: Peace, Justice, and Strong Instiutions",16
76
+ 24, it also seeks to strengthen universal peace in larger freedom we recognize that eradicating poverty in all its forms and dimensions including extreme poverty is the greatest global challenge and an indispensable requirement for su,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,eradicating poverty,"Goal 16: Peace, Justice, and Strong Instiutions",16
77
+ 25, read the document the un regional commissions and the post development agenda the regional commissions are uniquely positioned as carriers of the united nations development agenda in the regions,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,regional commissions,"Goal 16: Peace, Justice, and Strong Instiutions",16
78
+ 26, with their convening power and proximity to member states they serve as inclusive regional intergovernmental platforms for deliberating and adapting universal norms and global frame,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,regional intergovernmental,"Goal 16: Peace, Justice, and Strong Instiutions",16
79
+ 27,measuring capacity what is the measure of capacity,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,measuring capacity,"Goal 16: Peace, Justice, and Strong Instiutions",16
80
+ 28, this paper on measuring capacity attempts to help development practitioners unbundle this question,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,measuring capacity,"Goal 16: Peace, Justice, and Strong Instiutions",16
81
+ 29, first by defining the starting point an institution s ability to perform sustain performance over time and manage change and shocks second by offering programmat,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,institution ability,"Goal 16: Peace, Justice, and Strong Instiutions",16
82
+ 30, read the document executive summary preparing low emission climate resilient development strategies undp is assisting national and sub national governments in developing countries to prepare low emission climate resilient development strategies lecrds ,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,climate resilient,"Goal 16: Peace, Justice, and Strong Instiutions",16
83
+ 31, working within relevant national local and regional planning and coordination frameworks lecrds are designed to build upon existing strategies,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,frameworks lecrds,"Goal 16: Peace, Justice, and Strong Instiutions",16
84
+ 32, read the document sustainable development scenarios for rio a component of the sd project this report is the result of a collaborative effort of global modellers and scenario analysts,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,sustainable development,"Goal 16: Peace, Justice, and Strong Instiutions",16
85
+ 33, it draws lessons from years of global sustainable development scenarios based on models with a particular focus on the most recent scenarios many of which have been created specifically for the ,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,sustainable development,"Goal 16: Peace, Justice, and Strong Instiutions",16
86
+ 34, read the document progress to date and remaining gaps in the implementation of the outcomes of the major summits in the area of sustainable development as well as an analysis of the themes of the conference this paper prepared by undesa for the first session of the preparatory committee for the united nations conference on sustainable development uncsd provides a concise overview of the concept of green economy in the context of sustainable development and poverty eradication which was one of the two,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,sustainable development,"Goal 16: Peace, Justice, and Strong Instiutions",16
87
+ 35, read the document rio policy brief a green economy for a planet under pressure this policy brief by planet under pressure is one of nine policy briefs produced by the scientific community to inform the rio united nations conference on sustainable development,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,green economy,"Goal 16: Peace, Justice, and Strong Instiutions",16
88
+ 36, the brief suggests that the current concept of the egreen economy f is based on a traditional and trickle down eco,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,egreen economy,"Goal 16: Peace, Justice, and Strong Instiutions",16
89
+ 37, read the document pagination next page last last page events see all events jul mon wed high level political forum on sustainable development check the official page of the hlpf here https hlpf,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,hlpf 2025,"Goal 16: Peace, Justice, and Strong Instiutions",16
90
+ 38,org the high level political forum on sustainable development hlpf will be convened from monday july to wednesday july under the auspices of the economic and social council,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,forum sustainable,"Goal 16: Peace, Justice, and Strong Instiutions",16
91
+ 39, this includes the three day ministerial se nov mon thu training on science technology and innovation sti policy and policy instruments for sdgs for asia and the pacific the un interagency task team on capacity building on sti for the sdgs un iatt ws organized a series of online training sessions on sti policy and policy instruments for sdgs for sti officials policy analysts and experts in asia and the pacific,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,sdgs asia,"Goal 16: Peace, Justice, and Strong Instiutions",16
92
+ 40, nbsp the training aims at building awareness and online ,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,training aims,"Goal 16: Peace, Justice, and Strong Instiutions",16
93
+ 41,online sep tue workshop in beijing empowers small island developing states with big earth data for sustainable development the small island developing states capacity building workshop on utilizing big earth data for sdgs took place in beijing china co hosted by dsdg undesa the un global geospatial knowledge and innovation center un ggkic and a number of key chinese institutions namely the international research beijing may tue expert group meeting on sdg and its interlinkages with other sdgs the theme of the nbsp high level political forum nbsp hlpf is reinforcing the agenda and eradicating poverty in times of multiple crises the effective delivery of sustainable resilient and innovative solutions ,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,beijing 2024,"Goal 16: Peace, Justice, and Strong Instiutions",16
94
+ 42, the hlpf will have an in depth review of sustainable development goa united nations headquarters new york may mon sdg high level conference peace justice and inclusive societies for sustainable development the permanent mission of italy to the united nations the united nations department of economic and social affairs and the international development law organization will organize the sdg high level conference peace justice and inclusive societies for sustainable development to be hel united nations headquarters in new york mar mon tue expert group meetings for hlpf thematic review the theme of the high level political forum hlpf is reinforcing the agenda and eradicating poverty in times of multiple crisis the effective delivery of sustainable resilient and innovative solutions ,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,2030 agenda,"Goal 16: Peace, Justice, and Strong Instiutions",16
95
+ 43, the hlpf will have an in depth review of sdg on no poverty sdg on zero hu tokyo rome geneva and new york jul fri hlpf side event youth engagement for systemic transformation at the sdg summit implementing the global sustainable development report call to action shaped by their experiences in a rapidly changing world young people possess their own distinct perspectives on and ideas to address collective challenges,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,poverty sdg,"Goal 16: Peace, Justice, and Strong Instiutions",16
96
+ 44, these perspectives often diverge from those held by previous generations,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,perspectives diverge,"Goal 16: Peace, Justice, and Strong Instiutions",16
97
+ 45, integrating them into decision making processes is important and cont conference room a jul thu session enabling effective multi stakeholder partnerships for the sustainable development goals the agenda partnership accelerator an initiative by un department of economic and social affairs and the partnering initiative partnerships a project commissioned by the german federal ministry of economic cooperation and development and implemented by the gesellschaft fu r internationa conference room jul wed session sdg synergies a tool to support decision making in implementing the agenda sdg synergies a tool to support decision making in implementing the agenda partners ,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,agenda partnership,"Goal 16: Peace, Justice, and Strong Instiutions",16
98
+ 46,conference room jul wed session sdg synergies a tool to support decision making in implementing the agenda sdg synergies a tool to support decision making in implementing the agenda partners stockholm environment institute sei live stream nbsp return to nbsp main website virtual jul tue session resilience in a time of crisis transforming energy access climate action learning and strengthening indigenous knowledge to achieve the sdgs resilience in a time of crisis transforming energy access climate action learning and strengthening indigenous knowledge to achieve the sdgs partners transforming energy access learning partnership tea lp university of cape town international association for the advancement of innovative virtual displaying of title type date a add,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,climate action,"Goal 16: Peace, Justice, and Strong Instiutions",16
99
+ 47, sustainable development implementation of agenda the programme for the further general assembly dec a add,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,sustainable development,"Goal 16: Peace, Justice, and Strong Instiutions",16
100
+ 48, sustainable development implementation of agenda the programme for the further general assembly dec a add,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,sustainable development,"Goal 16: Peace, Justice, and Strong Instiutions",16
101
+ 49, implementation of agenda the programme for the further implementation of agenda and the resolutions and decisions dec a res addis ababa action agenda of the third international conference on financing for development addis resolutions and decisions jul undg people s voices issue brief to the sdg th open working group additional resources dec a intergenerational solidarity and the needs of future generations secretary general reports aug expert panel on intergenerational solidarity other documents may concept note on expert panel on intergenerational solidarity other documents may e cn,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,intergenerational solidarity,"Goal 16: Peace, Justice, and Strong Instiutions",16
102
+ 50, international legal instruments and mechanisms secretary general reports jan agenda and presentations for egm on non renewable resource revenues logistics sep speakers biographies for egm on non renewable resource revenues other documents sep meeting report of egm on non renewable resource revenues other documents sep e cn,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,revenues logistics,"Goal 16: Peace, Justice, and Strong Instiutions",16
103
+ 51, follow up to johannesburg and the future role of the csd the implementation track secretary general reports feb a conf,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,johannesburg future,"Goal 16: Peace, Justice, and Strong Instiutions",16
104
+ 52, report of the world summit on sustainable development background papers special studies sep e cn,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,summit sustainable,"Goal 16: Peace, Justice, and Strong Instiutions",16
105
+ 53, report of the ad hoc inter sessional working group on information for decision making and meeting reports mar pagination next next page last last page displaying of title category date sort ascending dr,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,meeting reports,"Goal 16: Peace, Justice, and Strong Instiutions",16
106
+ 54,pagination next next page last last page displaying of title category date sort ascending dr,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,pagination,"Goal 16: Peace, Justice, and Strong Instiutions",16
107
+ 55, kate offerdahl statements may milestones january sdg goal is devoted to the promotion of peaceful and inclusive societies for sustainable development the provision of access to justice for all and to the establishment of effective accountable and inclusive institutions at all levels,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,sustainable development,"Goal 16: Peace, Justice, and Strong Instiutions",16
108
+ 56, january aaaa the addis ababa action agenda established a new global framework for financing sustainable development aligning all financing flows and policies with economic social and environmental priorities and defined comprehensive set of policy actions by member states with a package of over concrete measures,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,addis ababa,"Goal 16: Peace, Justice, and Strong Instiutions",16
109
+ 57, january hlpf with the adoption of future we want member states decided through paragraph to establish a universal intergovernmental high level political forum building on the strengths experiences resources and inclusive participation modalities of the commission on sustainable development and subsequently replacing the commission,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,commission sustainable,"Goal 16: Peace, Justice, and Strong Instiutions",16
110
+ 58, the high level political forum shall follow up on the implementation of sustainable development and should avoid overlap with existing structures bodies and entities in a cost effective manner ,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,implementation sustainable,"Goal 16: Peace, Justice, and Strong Instiutions",16
111
+ 59, the high level political forum on sustainable development is today the main united nations platform on sustainable development,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,sustainable development,"Goal 16: Peace, Justice, and Strong Instiutions",16
112
+ 60, it provides political leadership guidance and recommendations follows up and reviews the implementation of sustainable development commitments and as of the agenda for sustainable development,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,implementation sustainable,"Goal 16: Peace, Justice, and Strong Instiutions",16
113
+ 61, it addresses new and emerging challenges promotes the science policy interface and enhances the integration of economic social and environmental dimensions of sustainable development,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,sustainable development,"Goal 16: Peace, Justice, and Strong Instiutions",16
114
+ 62, institutional framework for sustainable development was one of the two themes of the rio conference,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,sustainable development,"Goal 16: Peace, Justice, and Strong Instiutions",16
115
+ 63, the future we want emphasized the need for an improved and more effective institutional framework for sustainable development,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,sustainable development,"Goal 16: Peace, Justice, and Strong Instiutions",16
116
+ 64, within chapter which is entirely devoted to institutional framework for sustainable development member states committed inter alia to strengthen the economic and social council as a principal organ in the integrated and coordinated follow up of the outcomes of all major united nations conferences and summits in the economic social environmental and related fields through paragraph ,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,sustainable development,"Goal 16: Peace, Justice, and Strong Instiutions",16
117
+ 65, member states also announced in paragraph the decision to establish a universal intergovernmental high level political forum and reaffirmed through paragraph the need to strengthen international environmental governance,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,international environmental,"Goal 16: Peace, Justice, and Strong Instiutions",16
118
+ 66, january kyoto protocol adopted in but entered into force only in the kyoto protocol commits industrialized countries to stabilize greenhouse gas emissions based on the principles of the convention sets binding emission reduction targets for industrialized countries and the european community in its first commitment period,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,kyoto protocol,"Goal 16: Peace, Justice, and Strong Instiutions",16
119
+ 67, overall these targets add up to an average five per cent emissions reduction compared to levels over the five year period to the first commitment period ,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,emissions reduction,"Goal 16: Peace, Justice, and Strong Instiutions",16
120
+ 68,overall these targets add up to an average five per cent emissions reduction compared to levels over the five year period to the first commitment period ,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,emissions reduction,"Goal 16: Peace, Justice, and Strong Instiutions",16
121
+ 69, the protocol is binding only for developed countries since it identifies them as largely responsible for the current high levels of ghg emissions in the atmosphere,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,ghg emissions,"Goal 16: Peace, Justice, and Strong Instiutions",16
122
+ 70, furthermore the protocol places a heavier burden on developed nations under its central principle of the common but differentiated responsibility ,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,differentiated responsibility,"Goal 16: Peace, Justice, and Strong Instiutions",16
123
+ 71, the second commitment period was inaugurated on st january after the doha amendment to the protocol adopted in doha in december and will be running until ,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,doha amendment,"Goal 16: Peace, Justice, and Strong Instiutions",16
124
+ 72, january csd at its thirteenth session the commission reaffirmed its mandate and its role as the high level commission responsible for sustainable development within the un system and addressed measures for voluntary monitoring reporting and assessment at national and regional levels,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,sustainable development,"Goal 16: Peace, Justice, and Strong Instiutions",16
125
+ 73, january stockholm convention on persistent organic pollutants as expressed in its article the main goal of the stockholm convention on persistent organic pollutants pops is to protect human health and the environment from persistent organic pollutants,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,organic pollutants,"Goal 16: Peace, Justice, and Strong Instiutions",16
126
+ 74, in order to achieve this goal the convention calls its parties to take measures to eliminate or decrease the release of pops,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,release pops,"Goal 16: Peace, Justice, and Strong Instiutions",16
127
+ 75, the convention can be considered as the international treaty devoted to the protection of human health from those chemicals remaining intact in the environment for long periods and producing harmful consequences on human health such as certain cancers birth defects dysfunctional immune and reproductive systems greater susceptibility to disease and damages to the central and peripheral nervous systems or on the environment,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,health chemicals,"Goal 16: Peace, Justice, and Strong Instiutions",16
128
+ 76, the stockholm convention on persistent organic pollutants was adopted on may and entered into force on may ,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,pollutants adopted,"Goal 16: Peace, Justice, and Strong Instiutions",16
129
+ 77, january csd csd adopted the csd s multi year programme work for the period and decided to organize the upcoming csd sessions as a series of two year action oriented implementation cycles consisting of a review session the first year and a policy session the second year,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,csd 11,"Goal 16: Peace, Justice, and Strong Instiutions",16
130
+ 78, each two year cycle would consider a selected thematic cluster of issues and a suite of cross cutting issues,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,thematic cluster,"Goal 16: Peace, Justice, and Strong Instiutions",16
131
+ 79, and in respect to legal developments in the area of sustainable development new and emerging issues were addressed in chapter of the plan of implementation jpoi of the wssd in ,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,sustainable development,"Goal 16: Peace, Justice, and Strong Instiutions",16
132
+ 80, in the jpoi sustainable development is recognized as an overarching goal for institutions at the national regional and international levels and the plan also highlights the need to enhance the integration of sustainable development in the activities of all relevant united nations agencies programmes and funds and the international financial institutions within their mandates,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,jpoi sustainable,"Goal 16: Peace, Justice, and Strong Instiutions",16
133
+ 81,the importance of strengthening the institutional framework for sustainable development ifsd is addressed in chapter ,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,institutional framework,"Goal 16: Peace, Justice, and Strong Instiutions",16
134
+ 82, paragraphs propose measures to reinforce institutional arrangements on sustainable development at all levels within the framework of agenda build ing on developments since the united nations conference on environment and development and lead ing to the achievement of a number of objectives,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,sustainable development,"Goal 16: Peace, Justice, and Strong Instiutions",16
135
+ 83, january csd decision the economic sectoral and cross sectoral themes considered during csd were as determined at ungass the following energy and transport atmosphere and energy and information for decision making and participation and international cooperation for an enabling environment,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,csd decision,"Goal 16: Peace, Justice, and Strong Instiutions",16
136
+ 84, from csd to csd discussions at each session commenced with multi stakeholder dialogues consisting of opening statements from representatives of major groups on selected themes followed by a dialogue with government representatives,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,stakeholder dialogues,"Goal 16: Peace, Justice, and Strong Instiutions",16
137
+ 85, pagination page next page next events see all events jul high level political forum on sustainable development mon wed jul related goals nov training on science technology and innovation sti policy and policy instruments for sdgs for asia and the pacific mon thu nov related goals sep workshop in beijing empowers small island developing states with big earth data for sustainable development tue tue sep related goals may expert group meeting on sdg and its interlinkages with other sdgs tue tue may related goals join the conversation footer menu contact copyright fraud alert privacy notice terms of use,https://sdgs.un.org/topics/institutional-frameworks-and-international-cooperation-sustainable-development,sustainable development,"Goal 16: Peace, Justice, and Strong Instiutions",16
138
+ 0,violence against children department of economic and social affairs sorry you need to enable javascript to visit this website,https://sdgs.un.org/topics/violence-against-children,violence children,"Goal 16: Peace, Justice, and Strong Instiutions",16
139
+ 1, skip to main content welcome to the united nations englishfran ais espa ol department of economic and social affairs sustainable development main navigation home sdg knowledge sustainable development goals key topics agenda capacity development publications natural resources forum intergovernmental processes high level political forum on sustainable development un conferences and high level events related to sustainable development multi stakeholder forum on science technology and innovation for the sdgs second committee of the un general assembly samoa pathway ecosoc partnership forum hlpf sids th international conference on small island developing states small island developing states multidimensional vulnerability index for sids united nations sids partnerships awards sids partnership framework sdg actions sdg actions platform faq about the submission of voluntary commitments sdg actions engage events webinars member states un system stakeholder engagement news about topics violence against children related sdgs promote peaceful and inclusive societies for ,https://sdgs.un.org/topics/violence-against-children,sustainable development,"Goal 16: Peace, Justice, and Strong Instiutions",16
140
+ 2,the protection of children from all forms of violence is a fundamental right enshrined in the un convention on the rights of the child,https://sdgs.un.org/topics/violence-against-children,rights child,"Goal 16: Peace, Justice, and Strong Instiutions",16
141
+ 3, the inclusion of a specific target sdg ,https://sdgs.un.org/topics/violence-against-children,target sdg,"Goal 16: Peace, Justice, and Strong Instiutions",16
142
+ 4, in the agenda for sustainable development to end all forms of violence against children gives renewed impetus towards the realization of the right of every child to live free from fear neglect abuse and exploitation,https://sdgs.un.org/topics/violence-against-children,violence children,"Goal 16: Peace, Justice, and Strong Instiutions",16
143
+ 5, several other sdg targets address specific forms of violence and harm towards children such as child marriage and female genital mutilation target ,https://sdgs.un.org/topics/violence-against-children,sdg targets,"Goal 16: Peace, Justice, and Strong Instiutions",16
144
+ 6, and the eradication of child labor including the recruitment and use of child soldiers target ,https://sdgs.un.org/topics/violence-against-children,child soldiers,"Goal 16: Peace, Justice, and Strong Instiutions",16
145
+ 7, to gain a better understanding of the nature extent and causes of violence against children and of measures designed to increase their protection the united nations conducted a comprehensive study in with clear recommendations for action,https://sdgs.un.org/topics/violence-against-children,violence children,"Goal 16: Peace, Justice, and Strong Instiutions",16
146
+ 8, the secretary general appointed a special representative on violence against children to monitor progress on implementation of the recommendations of the study and ensure its effective follow up,https://sdgs.un.org/topics/violence-against-children,violence children,"Goal 16: Peace, Justice, and Strong Instiutions",16
147
+ 9, one billion children globally experience some form of emotional physical or sexual violence every year and one child dies as a result of violence every five minutes,https://sdgs.un.org/topics/violence-against-children,children globally,"Goal 16: Peace, Justice, and Strong Instiutions",16
148
+ 10, although of epidemic proportions violence against children often remains hidden and socially condoned,https://sdgs.un.org/topics/violence-against-children,violence children,"Goal 16: Peace, Justice, and Strong Instiutions",16
149
+ 11, violence against children knows no boundaries of culture class education income or ethnic origin,https://sdgs.un.org/topics/violence-against-children,violence children,"Goal 16: Peace, Justice, and Strong Instiutions",16
150
+ 12, it takes place in institutions designed for their care and protection in schools online and also within the home,https://sdgs.un.org/topics/violence-against-children,place institutions,"Goal 16: Peace, Justice, and Strong Instiutions",16
151
+ 13, most girls and boys who are exposed to violence live in isolation loneliness and fear and do not know where to turn for help especially when the perpetrator is someone close and on whom they depend for their protection and well being,https://sdgs.un.org/topics/violence-against-children,exposed violence,"Goal 16: Peace, Justice, and Strong Instiutions",16
152
+ 14, younger children are especially at risk from violence as they are less able to speak up and seek support and it can cause irreversible damage to their development,https://sdgs.un.org/topics/violence-against-children,younger children,"Goal 16: Peace, Justice, and Strong Instiutions",16
153
+ 15, gender disability poverty or national or ethnic origin are some of the risk factors that can place children at high risk of violence,https://sdgs.un.org/topics/violence-against-children,risk violence,"Goal 16: Peace, Justice, and Strong Instiutions",16
154
+ 16, peer on peer violence by children is also a concern with studies showing that between per cent of children have been victims of bullying,https://sdgs.un.org/topics/violence-against-children,peer violence,"Goal 16: Peace, Justice, and Strong Instiutions",16
155
+ 17, the growth in cyberbullying is equally troubling with its harmful messages spreading fast and far and fueled by perpetrators anonymity,https://sdgs.un.org/topics/violence-against-children,growth cyberbullying,"Goal 16: Peace, Justice, and Strong Instiutions",16
156
+ 18, violence has serious and long lasting consequences for its victims and can have a major impact on the health development and school performance of children,https://sdgs.un.org/topics/violence-against-children,violence,"Goal 16: Peace, Justice, and Strong Instiutions",16
157
+ 19, it also slows social progress by generating huge economic costs hindering sustainable development and eroding human capital,https://sdgs.un.org/topics/violence-against-children,hindering sustainable,"Goal 16: Peace, Justice, and Strong Instiutions",16
158
+ 20, according to one study the global costs of violence against children could be as high as us trillion per year,https://sdgs.un.org/topics/violence-against-children,costs violence,"Goal 16: Peace, Justice, and Strong Instiutions",16
159
+ 21, violence against children can be prevented and there has been real progress over recent years as highlighted by the global survey on violence against children and the annual reports of the special representative of the secretary general to the general assembly,https://sdgs.un.org/topics/violence-against-children,violence children,"Goal 16: Peace, Justice, and Strong Instiutions",16
160
+ 22, in support of the sustainable development agenda targets new partnerships and alliances are forming new international standards on children s protection from violence including trafficking sexual abuse and exploitation have been adopted a large number of states have adopted a national comprehensive policy agenda on violence prevention and response and enacted legislation to prohibit physical mental and sexual violence and to safeguard the rights of child victims information campaigns have raised awareness of the negative impact of violence on child development and of positive practices to prevent its occurrence and children s protection from bullying domestic violence sexual violence and harmful practices are being tackled through new global initiatives,https://sdgs.un.org/topics/violence-against-children,violence safeguard,"Goal 16: Peace, Justice, and Strong Instiutions",16
161
+ 23, there is also increased investment in generating sound evidence on the scale and nature of violence against children and on effective strategies to prevent it and in promoting and monitoring progress towards its elimination,https://sdgs.un.org/topics/violence-against-children,violence children,"Goal 16: Peace, Justice, and Strong Instiutions",16
162
+ 24, the agenda for sustainable development presents us with an historic opportunity to place the protection of children at the heart of the policy actions of every nation and to build a world where all children everywhere enjoy freedom from fear and from violence in all its forms,https://sdgs.un.org/topics/violence-against-children,protection children,"Goal 16: Peace, Justice, and Strong Instiutions",16
163
+ 25, represents a strategic milestone in this journey,https://sdgs.un.org/topics/violence-against-children,strategic milestone,"Goal 16: Peace, Justice, and Strong Instiutions",16
164
+ 26, firstly the high level political forum hlpf in july will assess progress on the implementation of the sdgs under the theme empowering people and ensuring inclusiveness and equality and will review the targets related to violence against children under goal as well as those under goals education and decent work and economic growth ,https://sdgs.un.org/topics/violence-against-children,violence children,"Goal 16: Peace, Justice, and Strong Instiutions",16
165
+ 27, secondly in september world leaders will gather under the first general assembly summit to review progress made in the implementation of the entire agenda providing high level political guidance for the second phase of implementation of the agenda,https://sdgs.un.org/topics/violence-against-children,assembly summit,"Goal 16: Peace, Justice, and Strong Instiutions",16
166
+ 28, thirdly in november the un general assembly will commemorate the th anniversary of the adoption of the un convention on the rights of the child crc the most widely ratified un treaty,https://sdgs.un.org/topics/violence-against-children,child crc,"Goal 16: Peace, Justice, and Strong Instiutions",16
167
+ 29, also marks the th anniversary of the mandate of the special representative of the un secretary general on violence against children,https://sdgs.un.org/topics/violence-against-children,violence children,"Goal 16: Peace, Justice, and Strong Instiutions",16
168
+ 30, therefore provides an important opportunity to gain a comprehensive picture of how far we have come in ensuring children s safety and protection what gaps remain and how to best accelerate progress to end all violence against children by ,https://sdgs.un.org/topics/violence-against-children,violence children,"Goal 16: Peace, Justice, and Strong Instiutions",16
169
+ 31,publications promoting restorative justice for children today more than million children are deprived of their liberty worldwide and countless children face violent and degrading treatment throughout the criminal justice process,https://sdgs.un.org/topics/violence-against-children,justice children,"Goal 16: Peace, Justice, and Strong Instiutions",16
170
+ 32, in light of this dramat ic situation it is imperative to promote strategies that provide an alternative to detention an,https://sdgs.un.org/topics/violence-against-children,alternative detention,"Goal 16: Peace, Justice, and Strong Instiutions",16
171
+ 33, read the document political commitments by regional organizations and institutions in the framework of the process of follow up to the recommendations of the un study on violence against children,https://sdgs.un.org/topics/violence-against-children,violence children,"Goal 16: Peace, Justice, and Strong Instiutions",16
172
+ 34, read the document safe and child sensitive counselling and complaint reporting to address violence against children counselling complaint and reporting mechanisms constitute critical remedies to address breaches of children s rights including violence in all its forms,https://sdgs.un.org/topics/violence-against-children,counselling complaint,"Goal 16: Peace, Justice, and Strong Instiutions",16
173
+ 35, their development is anchored in international hu man rights standards and in view of their urgency the brazil congress against the sexual exp,https://sdgs.un.org/topics/violence-against-children,brazil congress,"Goal 16: Peace, Justice, and Strong Instiutions",16
174
+ 36, read the document prevention of and responses to violence against children within the juvenile justice system in its resolution of september on hu man rights in the administration of justice in par ticular juvenile justice the human rights council invited the office of the high commissioner for human rights the united nations office on drugs and crime and the special representative of the s,https://sdgs.un.org/topics/violence-against-children,juvenile justice,"Goal 16: Peace, Justice, and Strong Instiutions",16
175
+ 37, read the document why children s protection from violence must be at the heart of the post development agenda a review of consultations with children on the post development agenda the protection of girls and boys from all forms of violence is a concern the international community cannot afford to omit from the post devel opment agenda this is a human rights impera tive and it is also a questio,https://sdgs.un.org/topics/violence-against-children,children protection,"Goal 16: Peace, Justice, and Strong Instiutions",16
176
+ 38, read the document protecting children from harmful practices in plural legal systems with a special emphasis on africa with a special emphasis on africa across regions millions of children continue to suf fer from various forms of harmful practices in cluding female genital mutilation early and forced marriage breast ironing son preference female infanticide virginity testing honour crimes bond ed labour ,https://sdgs.un.org/topics/violence-against-children,protecting children,"Goal 16: Peace, Justice, and Strong Instiutions",16
177
+ 39, read the document releasing children s potential and minimizing risks icts the internet and violence against children a click away todo a clic ,https://sdgs.un.org/topics/violence-against-children,risks icts,"Goal 16: Peace, Justice, and Strong Instiutions",16
178
+ 40, when we use technologies we are a click away from producing positive situations and avoid ing bad ones,https://sdgs.un.org/topics/violence-against-children,positive situations,"Goal 16: Peace, Justice, and Strong Instiutions",16
179
+ 41, we recognize that we all have rights and re sponsibilities when we interact,https://sdgs.un.org/topics/violence-against-children,rights sponsibilities,"Goal 16: Peace, Justice, and Strong Instiutions",16
180
+ 42, read the document tackling violence in schools a global perspective bridging the gap between standards and practice schools are uniquely positioned to deliver the quality education that is the right of every child,https://sdgs.un.org/topics/violence-against-children,violence schools,"Goal 16: Peace, Justice, and Strong Instiutions",16
181
+ 43, they offer children the opportunity to cultivate their creative talents and critical thinking gain life skills develop self esteem and social relation,https://sdgs.un.org/topics/violence-against-children,children opportunity,"Goal 16: Peace, Justice, and Strong Instiutions",16
182
+ 44,schools are uniquely positioned to deliver the quality education that is the right of every child,https://sdgs.un.org/topics/violence-against-children,schools uniquely,"Goal 16: Peace, Justice, and Strong Instiutions",16
183
+ 45, they offer children the opportunity to cultivate their creative talents and critical thinking gain life skills develop self esteem and social relation,https://sdgs.un.org/topics/violence-against-children,children opportunity,"Goal 16: Peace, Justice, and Strong Instiutions",16
184
+ 46, read the document ending the torment tackling bullying from the schoolyard to cyberspace protecting children from bullying is not just an ethical im perative or a laudable aim of public health or social policy it is a question of human rights,https://sdgs.un.org/topics/violence-against-children,children bullying,"Goal 16: Peace, Justice, and Strong Instiutions",16
185
+ 47, indeed bullying and cyberbullying compromise children s rights to freedom from violence to protection from dis crimination to an inclusive ,https://sdgs.un.org/topics/violence-against-children,bullying cyberbullying,"Goal 16: Peace, Justice, and Strong Instiutions",16
186
+ 48, read the document safeguarding the rights of girls in the criminal justice system gender based violence is a pervasive and devastating manifestation of discrimination against women and girls,https://sdgs.un.org/topics/violence-against-children,justice gender,"Goal 16: Peace, Justice, and Strong Instiutions",16
187
+ 49, international human rights standards including the convention on the rights of the child crc the convention on the elimination of all forms of discrimination against women and the conv,https://sdgs.un.org/topics/violence-against-children,rights standards,"Goal 16: Peace, Justice, and Strong Instiutions",16
188
+ 50, read the document protecting children affected by armed violence in the community armed violence in the community compromises children s rights and is associated with serious risks for their development and safety causing children to be injured disabled traumatized exploited orphaned imprisoned and at times killed,https://sdgs.un.org/topics/violence-against-children,protecting children,"Goal 16: Peace, Justice, and Strong Instiutions",16
189
+ 51, living in a community affected by armed violence has conseq,https://sdgs.un.org/topics/violence-against-children,armed violence,"Goal 16: Peace, Justice, and Strong Instiutions",16
190
+ 52, read the document toward a world free from violence global survey on violence against children violence against children takes place in every setting including those where children should be safest in schools in care institu tions and at home,https://sdgs.un.org/topics/violence-against-children,children violence,"Goal 16: Peace, Justice, and Strong Instiutions",16
191
+ 53, like a contagion violence spreads through communities and is trans mitted to future generations,https://sdgs.un.org/topics/violence-against-children,contagion violence,"Goal 16: Peace, Justice, and Strong Instiutions",16
192
+ 54, read the document pagination next page last last page events see all events may mon wed conference in preparation for hlpf peaceful just and inclusive societies sdg implementation and the path towards leaving no one behind the conference will take stock of global progress towards achieving the sdg share knowledge success stories and good practices identify particular areas of concern and main challenges and suggest ways forward in terms of policies partnerships and coordinated actions at all levels as well as rome italy feb wed thu the agenda for children end violence solutions summit there is growing evidence that violence against children is preventable and mounting public consensus that it will no longer be tolerated,https://sdgs.un.org/topics/violence-against-children,violence children,"Goal 16: Peace, Justice, and Strong Instiutions",16
193
+ 55, guided by our strong commitment to children s rights we can prevent and end violence against children by investing in safe stable and nurturing environments t stockholm sweden displaying of title type date concept note expert group meeting on sdg concept notes feb a protecting children from bullying secretary general reports jul all documents on violence against children other documents dec ,https://sdgs.un.org/topics/violence-against-children,protecting children,"Goal 16: Peace, Justice, and Strong Instiutions",16
194
+ 56,concept note expert group meeting on sdg concept notes feb a protecting children from bullying secretary general reports jul all documents on violence against children other documents dec programme on the agenda for children end violence solutions summit programme dec e progress towards the sustainable development goals reports may a protecting children from bullying secretary general reports jul e progress towards the sustainable development goals secretary general reports jun a res transforming our world the agenda for sustainable development resolutions and decisions oct a l,https://sdgs.un.org/topics/violence-against-children,children bullying,"Goal 16: Peace, Justice, and Strong Instiutions",16
195
+ 57, draft outcome document of the united nations summit for the adoption of the post development outcome documents aug a the road to dignity by ending poverty transforming all lives and protecting the planet secretary general reports dec a l,https://sdgs.un.org/topics/violence-against-children,2015 development,"Goal 16: Peace, Justice, and Strong Instiutions",16
196
+ 58, report of the open working group on sustainable development goals established pursuant to general resolutions and decisions sep milestones january sdg goal is devoted to the promotion of peaceful and inclusive societies for sustainable development the provision of access to justice for all and to the establishment of effective accountable and inclusive institutions at all levels,https://sdgs.un.org/topics/violence-against-children,sustainable development,"Goal 16: Peace, Justice, and Strong Instiutions",16
197
+ 59, events see all events may conference in preparation for hlpf peaceful just and inclusive societies sdg implementation and the path towards leaving no one behind mon wed may feb the agenda for children end violence solutions summit wed thu feb join the conversation footer menu contact copyright fraud alert privacy notice terms of use,https://sdgs.un.org/topics/violence-against-children,hlpf 2019,"Goal 16: Peace, Justice, and Strong Instiutions",16
src/train_bert/training_data/FeatureSet_17.csv ADDED
@@ -0,0 +1,64 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ ,text_data,source,best_key_word,category,label
2
+ 0,goal is about revitalizing the global partnership for sustainable development,https://www.un.org/sustainabledevelopment/globalpartnerships,17 revitalizing,Goal 17: Partnerships for the Goals,17
3
+ 1, the agenda is universal and calls for action by all countries developed and developing to ensure no one is left behind,https://www.un.org/sustainabledevelopment/globalpartnerships,2030 agenda,Goal 17: Partnerships for the Goals,17
4
+ 2, it requires partnerships between governments the private sector and civil society,https://www.un.org/sustainabledevelopment/globalpartnerships,partnerships governments,Goal 17: Partnerships for the Goals,17
5
+ 3, the sustainable development goals can only be realized with a strong commitment to global partnership and cooperation to ensure no one is left behind in our journey to development,https://www.un.org/sustainabledevelopment/globalpartnerships,sustainable development,Goal 17: Partnerships for the Goals,17
6
+ 4, however not all countries are setting off from the same start line and low and middle income countries are facing a tidal wave of debt which they are treading water,https://www.un.org/sustainabledevelopment/globalpartnerships,income countries,Goal 17: Partnerships for the Goals,17
7
+ 5, developing countries are grappling with an unprecedented rise in external debt levels following the covid pandemic compounded by challenges such as record inflation escalating interest rates competing priorities and constrained fiscal capacity underscoring the urgent need for debt relief and financial assistance,https://www.un.org/sustainabledevelopment/globalpartnerships,external debt,Goal 17: Partnerships for the Goals,17
8
+ 6, while official development assistance oda flows continue to reach record peaks the increase in is primarily attributed to spending on refugees in donor countries and aid to ukraine,https://www.un.org/sustainabledevelopment/globalpartnerships,spending refugees,Goal 17: Partnerships for the Goals,17
9
+ 7, to be successful everyone will need to mobilize both existing and additional resources and developed countries will need to fulfill their official development assistance commitments,https://www.un.org/sustainabledevelopment/globalpartnerships,countries need,Goal 17: Partnerships for the Goals,17
10
+ 8, in light of the consequences of the covid pandemic we have seen that strengthening multilateralism and global partnerships are more important than ever if we are to solve the world s problems,https://www.un.org/sustainabledevelopment/globalpartnerships,strengthening multilateralism,Goal 17: Partnerships for the Goals,17
11
+ 9, the agenda with its goals is universal and calls for action by all countries both developed countries and developing countries to ensure no one is left behind,https://www.un.org/sustainabledevelopment/globalpartnerships,agenda 17,Goal 17: Partnerships for the Goals,17
12
+ 10, support for implementing the sdgs has been steady but fragile with major and persistent challenges,https://www.un.org/sustainabledevelopment/globalpartnerships,implementing sdgs,Goal 17: Partnerships for the Goals,17
13
+ 11, financial resources remain scarce trade tensions have been increasing and crucial data are still lacking,https://www.un.org/sustainabledevelopment/globalpartnerships,trade tensions,Goal 17: Partnerships for the Goals,17
14
+ 12, a growing share of the global population has access to the internet and a technology bank for least developed countries has been established yet the digital divide persists,https://www.un.org/sustainabledevelopment/globalpartnerships,established digital,Goal 17: Partnerships for the Goals,17
15
+ 13, as partners what would we need to do to reach this,https://www.un.org/sustainabledevelopment/globalpartnerships,partners need,Goal 17: Partnerships for the Goals,17
16
+ 14, we will need to mobilize both existing and additional resources technology development financial resources capacity building and developed countries will need to fulfill their official development assistance commitments,https://www.un.org/sustainabledevelopment/globalpartnerships,countries need,Goal 17: Partnerships for the Goals,17
17
+ 15, multistakeholder partnerships will be crucial to leverage the inter linkages between the sustainable development goals to enhance their effectiveness and impact and accelerate progress in achieving the goals,https://www.un.org/sustainabledevelopment/globalpartnerships,multistakeholder partnerships,Goal 17: Partnerships for the Goals,17
18
+ 16, how can we ensure the resources needed are effectively mobilized,https://www.un.org/sustainabledevelopment/globalpartnerships,effectively mobilized,Goal 17: Partnerships for the Goals,17
19
+ 17, this will be primarily the responsibility of countries,https://www.un.org/sustainabledevelopment/globalpartnerships,responsibility countries,Goal 17: Partnerships for the Goals,17
20
+ 18, reviews of progress will need to be undertaken regularly in each country involving civil society business and representatives of various interest groups,https://www.un.org/sustainabledevelopment/globalpartnerships,reviews progress,Goal 17: Partnerships for the Goals,17
21
+ 19, at the regional level countries will share experiences and tackle common issues while on an annual basis at the united nations the high level political forum on sustainable development hlpf they will take stock of progress at the global level identifying gaps and emerging issues and recommending corrective action,https://www.un.org/sustainabledevelopment/globalpartnerships,development hlpf,Goal 17: Partnerships for the Goals,17
22
+ 20, join create a group in your local community that seeks to mobilize action on the implementation of the sdgs,https://www.un.org/sustainabledevelopment/globalpartnerships,sdgs,Goal 17: Partnerships for the Goals,17
23
+ 21, encourage your governments to partner with businesses for the implementation of the sdgs,https://www.un.org/sustainabledevelopment/globalpartnerships,encourage governments,Goal 17: Partnerships for the Goals,17
24
+ 22, facts and figuresgoal targetslinksfacts and figures,https://www.un.org/sustainabledevelopment/globalpartnerships,targetslinksfacts figures,Goal 17: Partnerships for the Goals,17
25
+ 23,developing countries are grappling with an unprecedented rise in external debt levels following the covid pandemic compounded by challenges such as record inflation escalating interest rates competing priorities and constrained fiscal capacity underscoring the urgent need for debt relief and financial assistance,https://www.un.org/sustainabledevelopment/globalpartnerships,external debt,Goal 17: Partnerships for the Goals,17
26
+ 24, while official development assistance oda flows continue to reach record peaks the increase in is primarily attributed to spending on refugees in donor countries and aid to ukraine,https://www.un.org/sustainabledevelopment/globalpartnerships,spending refugees,Goal 17: Partnerships for the Goals,17
27
+ 25, despite a per cent improvement in internet access since progress in bridging the digital divide has slowed down post pandemic,https://www.un.org/sustainabledevelopment/globalpartnerships,digital divide,Goal 17: Partnerships for the Goals,17
28
+ 26, sustained efforts are required to ensure equitable access to the internet for all,https://www.un.org/sustainabledevelopment/globalpartnerships,ensure equitable,Goal 17: Partnerships for the Goals,17
29
+ 27, geopolitical tensions and the resurgence of nationalism hinder international cooperation and coordination highlighting the importance of a collective surge in action to provide developing countries with the necessary financing and technologies to accelerate the implementation of the sdgs,https://www.un.org/sustainabledevelopment/globalpartnerships,international cooperation,Goal 17: Partnerships for the Goals,17
30
+ 28, in an estimated of the world s population ,https://www.un.org/sustainabledevelopment/globalpartnerships,world population,Goal 17: Partnerships for the Goals,17
31
+ 29, billion used the internet compared with billion in ,https://www.un.org/sustainabledevelopment/globalpartnerships,billion 2015,Goal 17: Partnerships for the Goals,17
32
+ 30, globally million more men than women used the internet in ,https://www.un.org/sustainabledevelopment/globalpartnerships,internet 2022,Goal 17: Partnerships for the Goals,17
33
+ 31, international funding for data and statistics amounted to only million in a decrease of more than million and million from funding levels in and respectively,https://www.un.org/sustainabledevelopment/globalpartnerships,funding data,Goal 17: Partnerships for the Goals,17
34
+ 32, between and oda funding for data dropped by more than ,https://www.un.org/sustainabledevelopment/globalpartnerships,oda funding,Goal 17: Partnerships for the Goals,17
35
+ 33, the total trade of tracked environmentally sound technologies ests in was billion an increase of since ,https://www.un.org/sustainabledevelopment/globalpartnerships,technologies ests,Goal 17: Partnerships for the Goals,17
36
+ 34,source the sustainable development goals report goal targets finance ,https://www.un.org/sustainabledevelopment/globalpartnerships,sustainable development,Goal 17: Partnerships for the Goals,17
37
+ 35, strengthen domestic resource mobilization including through international support to developing countries to improve domestic capacity for tax and other revenue collection ,https://www.un.org/sustainabledevelopment/globalpartnerships,resource mobilization,Goal 17: Partnerships for the Goals,17
38
+ 36, developed countries to implement fully their official development assistance commitments including the commitment by many developed countries to achieve the target of ,https://www.un.org/sustainabledevelopment/globalpartnerships,countries achieve,Goal 17: Partnerships for the Goals,17
39
+ 37, per cent of oda gni to developing countries and ,https://www.un.org/sustainabledevelopment/globalpartnerships,developing countries,Goal 17: Partnerships for the Goals,17
40
+ 38, per cent of oda gni to least developed countries oda providers are encouraged to consider setting a target to provide at least ,https://www.un.org/sustainabledevelopment/globalpartnerships,oda providers,Goal 17: Partnerships for the Goals,17
41
+ 39, per cent of oda gni to least developed countries ,https://www.un.org/sustainabledevelopment/globalpartnerships,countries 17,Goal 17: Partnerships for the Goals,17
42
+ 40, mobilize additional financial resources for developing countries from multiple sources ,https://www.un.org/sustainabledevelopment/globalpartnerships,developing countries,Goal 17: Partnerships for the Goals,17
43
+ 41, assist developing countries in attaining long term debt sustainability through coordinated policies aimed at fostering debt financing debt relief and debt restructuring as appropriate and address the external debt of highly indebted poor countries to reduce debt distress ,https://www.un.org/sustainabledevelopment/globalpartnerships,debt sustainability,Goal 17: Partnerships for the Goals,17
44
+ 42, adopt and implement investment promotion regimes for least developed countries technology ,https://www.un.org/sustainabledevelopment/globalpartnerships,countries technology,Goal 17: Partnerships for the Goals,17
45
+ 43, enhance north south south south and triangular regional and international cooperation on and access to science technology and innovation and enhance knowledge sharing on mutually agreed terms including through improved coordination among existing mechanisms in particular at the united nations level and through a global technology facilitation mechanism ,https://www.un.org/sustainabledevelopment/globalpartnerships,technology facilitation,Goal 17: Partnerships for the Goals,17
46
+ 44, promote the development transfer dissemination and diffusion of environmentally sound technologies to developing countries on favourable terms including on concessional and preferential terms as mutually agreed ,https://www.un.org/sustainabledevelopment/globalpartnerships,environmentally sound,Goal 17: Partnerships for the Goals,17
47
+ 45, fully operationalize the technology bank and science technology and innovation capacity building mechanism for least developed countries by and enhance the use of enabling technology in particular information and communications technology capacity building ,https://www.un.org/sustainabledevelopment/globalpartnerships,technology capacity,Goal 17: Partnerships for the Goals,17
48
+ 46, enhance international support for implementing effective and targeted capacity building in developing countries to support national plans to implement all the sustainable development goals including through north south south south and triangular cooperation trade ,https://www.un.org/sustainabledevelopment/globalpartnerships,developing countries,Goal 17: Partnerships for the Goals,17
49
+ 47, promote a universal rules based open non discriminatory and equitable multilateral trading system under the world trade organization including through the conclusion of negotiations under its doha development agenda ,https://www.un.org/sustainabledevelopment/globalpartnerships,multilateral trading,Goal 17: Partnerships for the Goals,17
50
+ 48, significantly increase the exports of developing countries in particular with a view to doubling the least developed countries share of global exports by ,https://www.un.org/sustainabledevelopment/globalpartnerships,increase exports,Goal 17: Partnerships for the Goals,17
51
+ 49, realize timely implementation of duty free and quota free market access on a lasting basis for all least developed countries consistent with world trade organization decisions including by ensuring that preferential rules of origin applicable to imports from least developed countries are transparent and simple and contribute to facilitating market access systemic issues policy and institutional coherence ,https://www.un.org/sustainabledevelopment/globalpartnerships,world trade,Goal 17: Partnerships for the Goals,17
52
+ 50, enhance global macroeconomic stability including through policy coordination and policy coherence ,https://www.un.org/sustainabledevelopment/globalpartnerships,macroeconomic stability,Goal 17: Partnerships for the Goals,17
53
+ 51, enhance policy coherence for sustainable development ,https://www.un.org/sustainabledevelopment/globalpartnerships,sustainable development,Goal 17: Partnerships for the Goals,17
54
+ 52, respect each country s policy space and leadership to establish and implement policies for poverty eradication and sustainable development multi stakeholder partnerships ,https://www.un.org/sustainabledevelopment/globalpartnerships,stakeholder partnerships,Goal 17: Partnerships for the Goals,17
55
+ 53, enhance the global partnership for sustainable development complemented by multi stakeholder partnerships that mobilize and share knowledge expertise technology and financial resources to support the achievement of the sustainable development goals in all countries in particular developing countries ,https://www.un.org/sustainabledevelopment/globalpartnerships,partnership sustainable,Goal 17: Partnerships for the Goals,17
56
+ 54, encourage and promote effective public public private and civil society partnerships building on the experience and resourcing strategies of partnerships data monitoring and accountability ,https://www.un.org/sustainabledevelopment/globalpartnerships,partnerships data,Goal 17: Partnerships for the Goals,17
57
+ 55, by enhance capacity building support to developing countries including for least developed countries and small island developing states to increase significantly the availability of high quality timely and reliable data disaggregated by income gender age race ethnicity migratory status disability geographic location and other characteristics relevant in national contexts ,https://www.un.org/sustainabledevelopment/globalpartnerships,developing countries,Goal 17: Partnerships for the Goals,17
58
+ 56, by build on existing initiatives to develop measurements of progress on sustainable development that complement gross domestic product and support statistical capacity building in developing countries links un partners on sustainable development united nations development programme un sdg action campaign un department of economic social affairs world bank un children s fund un environment programme un population fund world health organization international monetary fund un habitat food agriculture organization international fund for agricultural development international labour organization international trade centre international telecommunications union joint un programme on hiv aids un conference on trade and development un development group un educational scientific and cultural organization un refugee agency un industrial development organization un women office of the high commissioner for human rights un relief and works agency for palestine refugees in the near east world food programme world meteorological organization world trade organization world tourism organization un office on sport for development and peace regional commissions regional commissions new york office economic commission for africa economic commission for europe economic commission for latin america the carribean economic and social commission for asia amp the pacific economic and social commission for western asia fast facts partnerships infographic partnerships related news,https://www.un.org/sustainabledevelopment/globalpartnerships,nations development,Goal 17: Partnerships for the Goals,17
59
+ 57,un sierra leone from hunting elusive gems to expanding an agribusiness tamba s story gallery un sierra leone from hunting elusive gems to expanding an agribusiness tamba s storymartin t dec united nations in sierra leone introduced the sustainable livelihoods initiative that sought to dissuade young people from the mining sector which is largely responsible for degrading the environment to more sustainable agriculture in a bid to meet the sustainable development goals sdgs ,https://www.un.org/sustainabledevelopment/globalpartnerships,sierra leone,Goal 17: Partnerships for the Goals,17
60
+ 58,read more world tv day a look at un partnerships with the entertainment industry in gallery world tv day a look at un partnerships with the entertainment industry in martin t nov world tv day is celebrated on november each year in recognition of the impact television has on our lives and its potential to influence decision making,https://www.un.org/sustainabledevelopment/globalpartnerships,tv day,Goal 17: Partnerships for the Goals,17
61
+ 59, in the united nations was proud to collaborate with the entertainment industry on three tv related projects promoting the sustainable development goals to young people and the young at heart around the world,https://www.un.org/sustainabledevelopment/globalpartnerships,collaborate entertainment,Goal 17: Partnerships for the Goals,17
62
+ 60,read more increased community based engagement seen as critical to build climate action and achieve the sustainable development goalsmartin t jul new york july with reports indicating that current efforts to achieve the sustainable development goals are being undermined by climate change and sharply rising inequalities the high level political forum on sustainable development concluded yesterday with ,https://www.un.org/sustainabledevelopment/globalpartnerships,climate action,Goal 17: Partnerships for the Goals,17
63
+ 61, read more nextload more postsshare this story choose your platform,https://www.un.org/sustainabledevelopment/globalpartnerships,12nextload postsshare,Goal 17: Partnerships for the Goals,17
64
+ 62, the goals read moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread more sdg resources across the unsustainable development knowledge platform united nations sustainable development group united to reform united nations homepage sdg media zone un newsdroughts are causing record devastation worldwide un backed report revealspakistan reels under monsoon deluge as death toll climbsworld horse day honoring humanity s oldest and most loyal companionoverlooked and underestimated sand and dust storms wreak havoc across borders follow us united nations a z site index contact copyright faq fraud alert privacy notice terms of use page load link go to top,https://www.un.org/sustainabledevelopment/globalpartnerships,united nations,Goal 17: Partnerships for the Goals,17
src/train_bert/training_data/FeatureSet_2.csv ADDED
@@ -0,0 +1,247 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ ,text_data,source,best_key_word,category,label
2
+ 0,goal is about creating a world free of hunger by ,https://www.un.org/sustainabledevelopment/hunger,hunger 2030,Goal 2: Zero Hunger,2
3
+ 1,the global issue of hunger and food insecurity has shown an alarming increase since a trend exacerbated by a combination of factors including the pandemic conflict climate change and deepening inequalities,https://www.un.org/sustainabledevelopment/hunger,food insecurity,Goal 2: Zero Hunger,2
4
+ 2, by approximately million people or ,https://www.un.org/sustainabledevelopment/hunger,2022 approximately,Goal 2: Zero Hunger,2
5
+ 3, of the world s population found themselves in a state of chronic hunger a staggering rise compared to ,https://www.un.org/sustainabledevelopment/hunger,chronic hunger,Goal 2: Zero Hunger,2
6
+ 4, this data underscores the severity of the situation revealing a growing crisis,https://www.un.org/sustainabledevelopment/hunger,crisis,Goal 2: Zero Hunger,2
7
+ 5, billion people faced moderate to severe food insecurity in ,https://www.un.org/sustainabledevelopment/hunger,food insecurity,Goal 2: Zero Hunger,2
8
+ 6, this classification signifies their lack of access to sufficient nourishment,https://www.un.org/sustainabledevelopment/hunger,sufficient nourishment,Goal 2: Zero Hunger,2
9
+ 7, this number escalated by an alarming million people compared to ,https://www.un.org/sustainabledevelopment/hunger,alarming 391,Goal 2: Zero Hunger,2
10
+ 8, the persistent surge in hunger and food insecurity fueled by a complex interplay of factors demands immediate attention and coordinated global efforts to alleviate this critical humanitarian challenge,https://www.un.org/sustainabledevelopment/hunger,hunger,Goal 2: Zero Hunger,2
11
+ 9, extreme hunger and malnutrition remains a barrier to sustainable development and creates a trap from which people cannot easily escape,https://www.un.org/sustainabledevelopment/hunger,hunger malnutrition,Goal 2: Zero Hunger,2
12
+ 10, hunger and malnutrition mean less productive individuals who are more prone to disease and thus often unable to earn more and improve their livelihoods,https://www.un.org/sustainabledevelopment/hunger,hunger malnutrition,Goal 2: Zero Hunger,2
13
+ 11, billion people in the world do not have reg ular access to safe nutritious and sufficient food,https://www.un.org/sustainabledevelopment/hunger,billion people,Goal 2: Zero Hunger,2
14
+ 12, in million children had stunted growth and million children under the age of were affected by wasting,https://www.un.org/sustainabledevelopment/hunger,children stunted,Goal 2: Zero Hunger,2
15
+ 13, it is projected that more than million people worldwide will be facing hunger in highlighting the immense challenge of achieving the zero hunger target,https://www.un.org/sustainabledevelopment/hunger,hunger 2030,Goal 2: Zero Hunger,2
16
+ 14, people experiencing moderate food insecurity are typically unable to eat a healthy balanced diet on a regular basis because of income or other resource constraints,https://www.un.org/sustainabledevelopment/hunger,food insecurity,Goal 2: Zero Hunger,2
17
+ 15, why are there so many hungry people,https://www.un.org/sustainabledevelopment/hunger,hungry people,Goal 2: Zero Hunger,2
18
+ 16, shockingly the world is back at hunger levels not seen since and food prices remain higher in more countries than in the period ,https://www.un.org/sustainabledevelopment/hunger,world hunger,Goal 2: Zero Hunger,2
19
+ 17, along with conflict climate shocks and rising cost of living civil insecurity and declining food production have all contributed to food scarcity and high food prices,https://www.un.org/sustainabledevelopment/hunger,food scarcity,Goal 2: Zero Hunger,2
20
+ 18, investment in the agriculture sector is critical for reducing hunger and poverty improving food security creating employment and building resilience to disasters and shocks,https://www.un.org/sustainabledevelopment/hunger,investment agriculture,Goal 2: Zero Hunger,2
21
+ 19, we all want our families to have enough food to eat that is safe and nutritious,https://www.un.org/sustainabledevelopment/hunger,families food,Goal 2: Zero Hunger,2
22
+ 20, a world with zero hunger can positively impact our economies health education equality and social development,https://www.un.org/sustainabledevelopment/hunger,zero hunger,Goal 2: Zero Hunger,2
23
+ 21, it s a key piece of building a better future for everyone,https://www.un.org/sustainabledevelopment/hunger,better future,Goal 2: Zero Hunger,2
24
+ 22, additionally with hunger limiting human development we will not be able to achieve the other sustainable development goals such as education health and gender equality,https://www.un.org/sustainabledevelopment/hunger,hunger limiting,Goal 2: Zero Hunger,2
25
+ 23, food security requires a multi dimensional approach from social protection to safeguard safe and nutritious food especially for children to transforming food systems to achieve a more inclusive and sustainable world,https://www.un.org/sustainabledevelopment/hunger,food security,Goal 2: Zero Hunger,2
26
+ 24, there will need to be investments in rural and urban areas and in social protection so poor people have access to food and can improve their livelihoods,https://www.un.org/sustainabledevelopment/hunger,improve livelihoods,Goal 2: Zero Hunger,2
27
+ 25, you can make changes in your own life at home at work and in the community by supporting local farmers or markets and making sustainable food choices supporting good nutrition for all and fighting food waste,https://www.un.org/sustainabledevelopment/hunger,sustainable food,Goal 2: Zero Hunger,2
28
+ 26, you can also use your power as a consumer and voter demanding businesses and governments make the choices and changes that will make zero hunger a reality,https://www.un.org/sustainabledevelopment/hunger,consumer voter,Goal 2: Zero Hunger,2
29
+ 27, join the conversation whether on social media platforms or in your local communities,https://www.un.org/sustainabledevelopment/hunger,join conversation,Goal 2: Zero Hunger,2
30
+ 28, facts and figuresgoal targetslinksfacts and figures,https://www.un.org/sustainabledevelopment/hunger,targetslinksfacts figures,Goal 2: Zero Hunger,2
31
+ 29,despite global efforts in an estimated million children under the age of suffered from wasting million had stunted growth and million were overweight,https://www.un.org/sustainabledevelopment/hunger,million children,Goal 2: Zero Hunger,2
32
+ 30, a fundamental shift in trajectory is needed to achieve the nutrition targets,https://www.un.org/sustainabledevelopment/hunger,2030 nutrition,Goal 2: Zero Hunger,2
33
+ 31, to achieve zero hunger by urgent coordinated action and policy solutions are imperative to address entrenched inequalities transform food systems invest in sustainable agricultural practices and reduce and mitigate the impact of conflict and the pandemic on global nutrition and food security,https://www.un.org/sustainabledevelopment/hunger,hunger 2030,Goal 2: Zero Hunger,2
34
+ 32, source the sustainable development goals report goal targets ,https://www.un.org/sustainabledevelopment/hunger,development goals,Goal 2: Zero Hunger,2
35
+ 33, by end hunger and ensure access by all people in particular the poor and people in vulnerable situations including infants to safe nutritious and sufficient food all year round,https://www.un.org/sustainabledevelopment/hunger,hunger,Goal 2: Zero Hunger,2
36
+ 34, by end all forms of malnutrition including achieving by the internationally agreed targets on stunting and wasting in children under years of age and address the nutritional needs of adolescent girls pregnant and lactating women and older persons,https://www.un.org/sustainabledevelopment/hunger,malnutrition including,Goal 2: Zero Hunger,2
37
+ 35, by double the agricultural productivity and incomes of small scale food producers in particular women indigenous peoples family farmers pastoralists and fishers including through secure and equal access to land other productive resources and inputs knowledge financial services markets and opportunities for value addition and non farm employment,https://www.un.org/sustainabledevelopment/hunger,agricultural productivity,Goal 2: Zero Hunger,2
38
+ 36, by ensure sustainable food production systems and implement resilient agricultural practices that increase productivity and production that help maintain ecosystems that strengthen capacity for adaptation to climate change extreme weather drought flooding and other disasters and that progressively improve land and soil quality,https://www.un.org/sustainabledevelopment/hunger,resilient agricultural,Goal 2: Zero Hunger,2
39
+ 37, by maintain the genetic diversity of seeds cultivated plants and farmed and domesticated animals and their related wild species including through soundly managed and diversified seed and plant banks at the national regional and international levels and promote access to and fair and equitable sharing of benefits arising from the utilization of genetic resources and associated traditional knowledge as internationally agreed,https://www.un.org/sustainabledevelopment/hunger,diversity seeds,Goal 2: Zero Hunger,2
40
+ 38,a increase investment including through enhanced international cooperation in rural infrastructure agricultural research and extension services technology development and plant and livestock gene banks in order to enhance agricultural productive capacity in developing countries in particular least developed countries,https://www.un.org/sustainabledevelopment/hunger,enhance agricultural,Goal 2: Zero Hunger,2
41
+ 39,b correct and prevent trade restrictions and distortions in world agricultural markets including through the parallel elimination of all forms of agricultural export subsidies and all export measures with equivalent effect in accordance with the mandate of the doha development round,https://www.un.org/sustainabledevelopment/hunger,export subsidies,Goal 2: Zero Hunger,2
42
+ 40,c adopt measures to ensure the proper functioning of food commodity markets and their derivatives and facilitate timely access to market information including on food reserves in order to help limit extreme food price volatility,https://www.un.org/sustainabledevelopment/hunger,food commodity,Goal 2: Zero Hunger,2
43
+ 41,c adopt measures to ensure the proper functioning of food commodity markets and their derivatives and facilitate timely access to market information including on food reserves in order to help limit extreme food price volatility,https://www.un.org/sustainabledevelopment/hunger,food commodity,Goal 2: Zero Hunger,2
44
+ 42, links international fund for agricultural development food and agriculture organization world food programme unicef nutrition zero hunger challenge think,https://www.un.org/sustainabledevelopment/hunger,unicef nutrition,Goal 2: Zero Hunger,2
45
+ 43, undp hunger fast facts no hunger infographic no hunger related news droughts are causing record devastation worldwide un backed report reveals gallery droughts are causing record devastation worldwide un backed report revealsdpicampaigns t jul worldwide some of the most widespread and damaging drought events in recorded history have occurred in recent years due to climate change and resource depletion,https://www.un.org/sustainabledevelopment/hunger,drought events,Goal 2: Zero Hunger,2
46
+ 44, read full story on un news you have to be able to rule your life the care revolution in latin america gallery you have to be able to rule your life the care revolution in latin americadpicampaigns t jul globally there are ,https://www.un.org/sustainabledevelopment/hunger,care revolution,Goal 2: Zero Hunger,2
47
+ 45, billion hours of work that the world never pays for because it barely even sees these duties,https://www.un.org/sustainabledevelopment/hunger,world pays,Goal 2: Zero Hunger,2
48
+ 46, indigenous youth meet trailblazers ahead of nelson mandela day gallery indigenous youth meet trailblazers ahead of nelson mandela daydpicampaigns t jul a group of indigenous youth from the united states some as young as seven visited the united nations headquarters in new york this week for the first time,https://www.un.org/sustainabledevelopment/hunger,indigenous youth,Goal 2: Zero Hunger,2
49
+ 47, nextload more postsrelated videosdpicampaigns t droughts are causing record devastation worldwide un backed report revealsworldwide some of the most widespread and damaging drought events in recorded history have occurred in recent years due to climate change and resource depletion,https://www.un.org/sustainabledevelopment/hunger,damaging drought,Goal 2: Zero Hunger,2
50
+ 48, read full story on un newsdpicampaigns t you have to be able to rule your life the care revolution in latin americaglobally there are ,https://www.un.org/sustainabledevelopment/hunger,care revolution,Goal 2: Zero Hunger,2
51
+ 49, billion hours of work that the world never pays for because it barely even sees these duties,https://www.un.org/sustainabledevelopment/hunger,world pays,Goal 2: Zero Hunger,2
52
+ 50, dpicampaigns t indigenous youth meet trailblazers ahead of nelson mandela daya group of indigenous youth from the united states some as young as seven visited the united nations headquarters in new york this week for the first time,https://www.un.org/sustainabledevelopment/hunger,youth meet,Goal 2: Zero Hunger,2
53
+ 51, nextload more postsshare this story choose your platform,https://www.un.org/sustainabledevelopment/hunger,12nextload postsshare,Goal 2: Zero Hunger,2
54
+ 52,the goals read moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread more sdg resources across the unsustainable development knowledge platform united nations sustainable development group united to reform united nations homepage sdg media zone un newsdroughts are causing record devastation worldwide un backed report revealspakistan reels under monsoon deluge as death toll climbsworld horse day honoring humanity s oldest and most loyal companionoverlooked and underestimated sand and dust storms wreak havoc across borders follow us united nations a z site index contact copyright faq fraud alert privacy notice terms of use page load link go to top,https://www.un.org/sustainabledevelopment/hunger,united nations,Goal 2: Zero Hunger,2
55
+ 0,rural development department of economic and social affairs sorry you need to enable javascript to visit this website,https://sdgs.un.org/topics/rural-development,rural development,Goal 2: Zero Hunger,2
56
+ 1, skip to main content welcome to the united nations englishfran ais espa ol department of economic and social affairs sustainable development main navigation home sdg knowledge sustainable development goals key topics agenda capacity development publications natural resources forum intergovernmental processes high level political forum on sustainable development un conferences and high level events related to sustainable development multi stakeholder forum on science technology and innovation for the sdgs second committee of the un general assembly samoa pathway ecosoc partnership forum hlpf sids th international conference on small island developing states small island developing states multidimensional vulnerability index for sids united nations sids partnerships awards sids partnership framework sdg actions sdg actions platform faq about the submission of voluntary commitments sdg actions engage events webinars member states un system stakeholder engagement news about topics rural development related sdgs end hunger achieve food security and improve ,https://sdgs.un.org/topics/rural-development,sustainable development,Goal 2: Zero Hunger,2
57
+ 2, description publications events documents statements milestones description as the united nations secretary general mr ban ki moon noted in the millennium development goals report disparities between rural and urban areas remain pronounced and big gaps persist in different sectors it is estimated that in still roughly ,https://sdgs.un.org/topics/rural-development,2015 disparities,Goal 2: Zero Hunger,2
58
+ 3, billion people worldwide lack access to modern energy services and more than billion do not have access to electricity,https://sdgs.un.org/topics/rural-development,worldwide lack,Goal 2: Zero Hunger,2
59
+ 4, for the most part this grave development burden falls on rural areas where a lack of access to modern energy services negatively affects productivity educational attainment and even health and ultimately exacerbates the poverty trap,https://sdgs.un.org/topics/rural-development,exacerbates poverty,Goal 2: Zero Hunger,2
60
+ 5, in rural areas only per cent of births are attended by skilled health personnel compared with per cent in urban areas,https://sdgs.un.org/topics/rural-development,births attended,Goal 2: Zero Hunger,2
61
+ 6, about per cent of the rural population do not use improved drinking water sources compared to per cent of the urban population,https://sdgs.un.org/topics/rural-development,rural population,Goal 2: Zero Hunger,2
62
+ 7, about per cent of people living in rural areas lack improved sanitation facilities compared to only per cent of people in urban areas,https://sdgs.un.org/topics/rural-development,improved sanitation,Goal 2: Zero Hunger,2
63
+ 8,sustainable development goal sdg of the post development agenda calls to end hunger achieve food security and improved nutrition and promote sustainable agriculture ,https://sdgs.un.org/topics/rural-development,goal sdg,Goal 2: Zero Hunger,2
64
+ 9,a devotes a specific attention to increase investment including through enhanced international cooperation in rural infrastructure agricultural research and extension services technology development and plant and livestock gene banks in order to enhance agricultural productive capacity in developing countries in particular least developed countries ,https://sdgs.un.org/topics/rural-development,enhance agricultural,Goal 2: Zero Hunger,2
65
+ 10, background information promoting sustainable agriculture and rural development sard is the subject of chapter of agenda ,https://sdgs.un.org/topics/rural-development,sustainable agriculture,Goal 2: Zero Hunger,2
66
+ 11, the major objective of sard is to increase food production in a sustainable way and enhance food security,https://sdgs.un.org/topics/rural-development,food security,Goal 2: Zero Hunger,2
67
+ 12, this will involve education initiatives utilization of economic incentives and the development of appropriate and new technologies thus ensuring stable supplies of nutritionally adequate food access to those supplies by vulnerable groups and production for markets employment and income generation to alleviate poverty and natural resource management and environmental protection,https://sdgs.un.org/topics/rural-development,supplies nutritionally,Goal 2: Zero Hunger,2
68
+ 13, the commission on sustainable development csd first reviewed rural development at its third session in when it noted with concern that even though some progress had been reported disappointment is widely expressed at the slow progress in moving towards sustainable agriculture and rural development in many countries,https://sdgs.un.org/topics/rural-development,rural development,Goal 2: Zero Hunger,2
69
+ 14, sustainable agriculture was also considered at the five year review of implementation of agenda in at which time governments were urged to attach high priority to implementing the commitments agreed at the world food summit especially the call for at least halving the number of undernourished people in the world by the year ,https://sdgs.un.org/topics/rural-development,sustainable agriculture,Goal 2: Zero Hunger,2
70
+ 15, this goal was reinforced by the millennium declaration adopted by heads of state and government in september which resolved to halve by the proportion of the world s people who suffer from hunger,https://sdgs.un.org/topics/rural-development,millennium declaration,Goal 2: Zero Hunger,2
71
+ 16, in accordance with its multi year programme of work agriculture with a rural development perspective was a major focus of csd in along with integrated planning and management of land resources as the sectoral theme,https://sdgs.un.org/topics/rural-development,agriculture rural,Goal 2: Zero Hunger,2
72
+ 17, the supporting documentation and the discussions highlighted the linkages between the economic social and environmental objectives of sustainable agriculture,https://sdgs.un.org/topics/rural-development,sustainable agriculture,Goal 2: Zero Hunger,2
73
+ 18, the commission adopted decision which identified priorities for action,https://sdgs.un.org/topics/rural-development,commission adopted,Goal 2: Zero Hunger,2
74
+ 19, it reaffirmed that the major objectives of sard are to increase food production and enhance food security in an environmentally sound way so as to contribute to sustainable natural resource management,https://sdgs.un.org/topics/rural-development,food security,Goal 2: Zero Hunger,2
75
+ 20, it noted that food security although a policy priority for all countries remains an unfulfilled goal,https://sdgs.un.org/topics/rural-development,food security,Goal 2: Zero Hunger,2
76
+ 21, it also noted that agriculture has a special and important place in society and helps to sustain rural life and land,https://sdgs.un.org/topics/rural-development,agriculture special,Goal 2: Zero Hunger,2
77
+ 22, rural development was included as one of the thematic areas along with agriculture land drought desertification and africa in the third implementation cycle csd csd ,https://sdgs.un.org/topics/rural-development,rural development,Goal 2: Zero Hunger,2
78
+ 23, a growing emphasis is being placed on the nexus approach to sustainable rural development seeking to realize synergies from the links between development factors such as energy health education water food gender and economic growth,https://sdgs.un.org/topics/rural-development,sustainable rural,Goal 2: Zero Hunger,2
79
+ 24, in this regard and as part of the follow up to the conference on sustainable development or rio the united nations department of economic and social affairs un desa in collaboration with se all un energy and the economic commission for africa eca organized global conference on rural energy access a nexus approach to sustainable development and poverty eradication in addis ababa ethiopia dec ,https://sdgs.un.org/topics/rural-development,rural energy,Goal 2: Zero Hunger,2
80
+ 25,publications transforming our world the agenda for sustainable development this agenda is a plan of action for people planet and prosperity,https://sdgs.un.org/topics/rural-development,agenda sustainable,Goal 2: Zero Hunger,2
81
+ 26, it also seeks to strengthen universal peace in larger freedom we recognize that eradicating poverty in all its forms and dimensions including extreme poverty is the greatest global challenge and an indispensable requirement for su,https://sdgs.un.org/topics/rural-development,eradicating poverty,Goal 2: Zero Hunger,2
82
+ 27, read the document farmer s organizations in bangladesh a mapping and capacity assessment farmers organizations fos in bangladesh have the potential to be true partners in rather than beneficiaries of the development process,https://sdgs.un.org/topics/rural-development,farmers organizations,Goal 2: Zero Hunger,2
83
+ 28, fos bring to the table a deep knowledge of the local context a nuanced understanding of the needs of their communities and strong social capital,https://sdgs.un.org/topics/rural-development,social capital,Goal 2: Zero Hunger,2
84
+ 29, read the document good practices in building innovative rural institutions to increase food security continued population growth urbanization and rising incomes are likely to continue to put pressure on food demand,https://sdgs.un.org/topics/rural-development,food security,Goal 2: Zero Hunger,2
85
+ 30, international prices for most agricultural commodities are set to remain at levels or higher at least for the next decade oecd fao ,https://sdgs.un.org/topics/rural-development,prices agricultural,Goal 2: Zero Hunger,2
86
+ 31, read the document electricity and education the benefits barriers and recommendations for achieving the electrification of primary and secondary schools despite the obvious connection between electricity and educational achievement however the troubling scenes in guinea south africa and uganda are repeated in thousands and thousands of parking lots hospitals and homes across the developing world,https://sdgs.un.org/topics/rural-development,electricity educational,Goal 2: Zero Hunger,2
87
+ 32, as one expert laments in the educational commu,https://sdgs.un.org/topics/rural-development,laments educational,Goal 2: Zero Hunger,2
88
+ 33, read the document a survey of international activities in rural energy access and electrification the goal of this survey is to highlight innovative policies that have been put into effect to stimulate electrification in rural areas of poor connection as well as to present projects and programmes which strive to meet this rise in energy demand and to assist communities countries and regions ,https://sdgs.un.org/topics/rural-development,electrification rural,Goal 2: Zero Hunger,2
89
+ 34, read the document sustainable development innovation briefs issue ,https://sdgs.un.org/topics/rural-development,sustainable development,Goal 2: Zero Hunger,2
90
+ 35, read the document trends in sustainable development this report highlights key developments and recent trends in agriculture rural development land desertification and drought five of the six themes being considered by the commission on sustainable development csd at its th and th sessions ,https://sdgs.un.org/topics/rural-development,sustainable development,Goal 2: Zero Hunger,2
91
+ 36, read the document events see all events may fri mon international study tour on juncao technology concrete contributions of juncao technology to supporting poverty eradication employment creation and sustainable development in developing countries the united nations department of economic and social affairs undesa collaborated with the national engineering research centre for juncao technology at fujian agriculture and forestry university fafu in the people s republic of china under the un peace and development trust fund on a project t fuzhou fujian province china oct mon fri committee on world food security cfs rome italy jun thu mon ,https://sdgs.un.org/topics/rural-development,juncao technology,Goal 2: Zero Hunger,2
92
+ 37,fuzhou fujian province china oct mon fri committee on world food security cfs rome italy jun thu mon joint meeting on pesticide specifications the joint meeting on pesticide specifications jmps is an expert ad hoc body administered jointly by fao and who composed of scientists collectively possessing expert knowledge of the development of specifications,https://sdgs.un.org/topics/rural-development,jmps expert,Goal 2: Zero Hunger,2
93
+ 38, their opinions and recommendations to fao who are provided in their individual ex athens greece jun sat fao conference th session overcoming hunger and extreme poverty requires a comprehensive and proactive strategy to complement economic growth and productive approaches,https://sdgs.un.org/topics/rural-development,fao conference,Goal 2: Zero Hunger,2
94
+ 39, this document focuses on the role of social protection in fighting hunger and extreme poverty and linking this dimension to productive support,https://sdgs.un.org/topics/rural-development,poverty linking,Goal 2: Zero Hunger,2
95
+ 40, focus on ru rome italy dec wed fri global conference on rural energy access a nexus approach to sustainable development and poverty eradication as part of the follow up to the conference on sustainable development or rio the united nations department of economic and social affairs un desa in collaboration with sustainable energy for all un energy and the economic commission for africa eca organized this important event,https://sdgs.un.org/topics/rural-development,rural energy,Goal 2: Zero Hunger,2
96
+ 41, the economic commission for africa addis ababa ethiopia feb mon multistakeholder dialogue on implementing sustainable development new york displaying of title type date thematic discussion reaching the most remote rural transport challenges and opportunities background papers special studies nov a agriculture development food security and nutrition secretary general reports aug inclusive finance for food security and rural development challenges and opportunities other documents may e cn,https://sdgs.un.org/topics/rural-development,sustainable development,Goal 2: Zero Hunger,2
97
+ 42, policy options and actions for expediting progress in implementation land secretary general reports dec e cn,https://sdgs.un.org/topics/rural-development,implementation land,Goal 2: Zero Hunger,2
98
+ 43, rural development secretary general reports feb agriculture rural development drought desertification and land issues affecting sustainable other documents dec synthesis of the thematic reports on agriculture and land rural development desertification and drought an other documents nov an assessment of progress in promoting sustainable rural development in the asian and pacific region other documents nov africa review report on agriculture and rural development meeting reports aug e cn,https://sdgs.un.org/topics/rural-development,sustainable rural,Goal 2: Zero Hunger,2
99
+ 44, pc agriculture land and desertification secretary general reports mar e cn,https://sdgs.un.org/topics/rural-development,land desertification,Goal 2: Zero Hunger,2
100
+ 45, sustainable agriculture and rural development linkages between agriculture land and secretary general reports feb e cn,https://sdgs.un.org/topics/rural-development,sustainable agriculture,Goal 2: Zero Hunger,2
101
+ 46, sustainable agriculture and rural development secretary general reports feb ,https://sdgs.un.org/topics/rural-development,sustainable agriculture,Goal 2: Zero Hunger,2
102
+ 47, sustainable agriculture and rural development secretary general reports feb e cn,https://sdgs.un.org/topics/rural-development,sustainable agriculture,Goal 2: Zero Hunger,2
103
+ 48, sustainable agriculture and rural development urbanization and sustainable agriculture secretary general reports feb e cn,https://sdgs.un.org/topics/rural-development,sustainable agriculture,Goal 2: Zero Hunger,2
104
+ 49, sustainable agriculture and rural development biotechnology for sustainable secretary general reports feb e cn,https://sdgs.un.org/topics/rural-development,biotechnology sustainable,Goal 2: Zero Hunger,2
105
+ 50, sustainable agriculture and rural development trends in national implementation secretary general reports jan pagination next next page last last page displaying of title category date sort ascending summary high level segment roundtable integrated land water management for may namibia rural development feb policy options for rural development rural development feb mexico rural development feb major group science technology rural development feb japan rural development feb major group local authorities rural development feb iran rural development feb fao rural development feb guatemala rural development feb aosis rural development feb fiji rural development feb switzerland rural development feb colombia rural development feb oman rural development feb pagination next next page last last page milestones january sdg sdg focuses on ending hunger achieving food security and improved nutrition and promoting sustainable agriculture,https://sdgs.un.org/topics/rural-development,namibia rural,Goal 2: Zero Hunger,2
106
+ 51, in particular its targets aims to end hunger and ensure access by all people in particular the poor and people in vulnerable situations including infants to safe nutritious and sufficient food all year round by ,https://sdgs.un.org/topics/rural-development,hunger,Goal 2: Zero Hunger,2
107
+ 52, end all forms of malnutrition by including achieving by the internationally agreed targets on stunting and wasting in children under years of age and address the nutritional needs of adolescent girls pregnant and lactating women and older persons ,https://sdgs.un.org/topics/rural-development,malnutrition 2030,Goal 2: Zero Hunger,2
108
+ 53, double by double the agricultural productivity and incomes of small scale food producers in particular women indigenous peoples family farmers pastoralists and fishers including through secure and equal access to land other productive resources and inputs knowledge financial services markets and opportunities for value addition and non farm employment ,https://sdgs.un.org/topics/rural-development,agricultural productivity,Goal 2: Zero Hunger,2
109
+ 54, ensure sustainable food production systems and implement resilient agricultural practices that increase productivity and production that help maintain ecosystems that strengthen capacity for adaptation to climate change extreme weather drought flooding and other disasters and that progressively improve land and soil quality ,https://sdgs.un.org/topics/rural-development,resilient agricultural,Goal 2: Zero Hunger,2
110
+ 55,by maintain the genetic diversity of seeds cultivated plants and farmed and domesticated animals and their related wild species including through soundly managed and diversified seed and plant banks at the national regional and international levels and promote access to and fair and equitable sharing of benefits arising from the utilization of genetic resources and associated traditional knowledge as internationally agreed ,https://sdgs.un.org/topics/rural-development,diversity seeds,Goal 2: Zero Hunger,2
111
+ 56, the alphabetical goals aim to increase investment in rural infrastructure agricultural research and extension services technology development and plant and livestock gene banks correct and prevent trade restrictions and distortions in world agricultural markets as well as adopt measures to ensure the proper functioning of food commodity markets and their derivatives and facilitate timely access to market information including on food reserves in order to help limit extreme food price volatility,https://sdgs.un.org/topics/rural-development,agricultural markets,Goal 2: Zero Hunger,2
112
+ 57, b csd negotiated policy recommendations for most of the issues under discussion,https://sdgs.un.org/topics/rural-development,negotiated policy,Goal 2: Zero Hunger,2
113
+ 58, delegates adopted by acclamation a text as prepared by the chair including all negotiated text as well as proposed language from the chair for policy options and practical measures to expedite implementation of the issues under the cluster,https://sdgs.un.org/topics/rural-development,delegates adopted,Goal 2: Zero Hunger,2
114
+ 59, the text included rising food prices ongoing negotiations in the world trade organization wto on the doha development round and an international focus on the climate change negotiations under the auspices of the un framework convention on climate change,https://sdgs.un.org/topics/rural-development,wto doha,Goal 2: Zero Hunger,2
115
+ 60, b csd and csd focused on the thematic cluster of agriculture rural development land drought desertification and africa,https://sdgs.un.org/topics/rural-development,cluster agriculture,Goal 2: Zero Hunger,2
116
+ 61, as far as csd is concerned on this occasion delegates were called to review implementation of the mauritius strategy for implementation and the barbados programme of action for the sustainable development of small island developing states and the csd decisions on water and sanitation,https://sdgs.un.org/topics/rural-development,implementation mauritius,Goal 2: Zero Hunger,2
117
+ 62, a high level segment was also held from may with nearly ministers in attendance,https://sdgs.un.org/topics/rural-development,ministers attendance,Goal 2: Zero Hunger,2
118
+ 63, january mdg mdg aims at eradicating extreme poverty and hunger,https://sdgs.un.org/topics/rural-development,mdg aims,Goal 2: Zero Hunger,2
119
+ 64, its three targets respectively read halve between and the proportion of people whose income is less than ,https://sdgs.un.org/topics/rural-development,2015 proportion,Goal 2: Zero Hunger,2
120
+ 65,a achieve full and productive employment and decent work for all including women and young people ,https://sdgs.un.org/topics/rural-development,productive employment,Goal 2: Zero Hunger,2
121
+ 66,b halve between and the proportion of people who suffer from hunger ,https://sdgs.un.org/topics/rural-development,suffer hunger,Goal 2: Zero Hunger,2
122
+ 67, january csd as decided at ungass the economic sectoral and cross sectoral themes under consideration for csd were sustainable agriculture and land management integrating planning and management of land resources and financial resources trade and investment and economic growth,https://sdgs.un.org/topics/rural-development,csd sustainable,Goal 2: Zero Hunger,2
123
+ 68, csd to csd annually gathered at the un headquarters for spring meetings,https://sdgs.un.org/topics/rural-development,csd annually,Goal 2: Zero Hunger,2
124
+ 69, discussions at each session opened with multi stakeholder dialogues in which major groups were invited to make opening statements on selected themes followed by a dialogue with government representatives,https://sdgs.un.org/topics/rural-development,stakeholder dialogues,Goal 2: Zero Hunger,2
125
+ 70,discussions at each session opened with multi stakeholder dialogues in which major groups were invited to make opening statements on selected themes followed by a dialogue with government representatives,https://sdgs.un.org/topics/rural-development,stakeholder dialogues,Goal 2: Zero Hunger,2
126
+ 71, on world food security the summit aimed to reaffirm global commitment at the highest political level to eliminate hunger and malnutrition and to achieve sustainable food security for all,https://sdgs.un.org/topics/rural-development,food security,Goal 2: Zero Hunger,2
127
+ 72, thank to its high visibility the summit contributed to raise further awareness on agriculture capacity food insecurity and malnutrition among decision makers in the public and private sectors in the media and with the public at large,https://sdgs.un.org/topics/rural-development,visibility summit,Goal 2: Zero Hunger,2
128
+ 73, it also set the political conceptual and technical blueprint for an ongoing effort to eradicate hunger at global level with the target of reducing by half the number of undernourished people by no later than the year ,https://sdgs.un.org/topics/rural-development,eradicate hunger,Goal 2: Zero Hunger,2
129
+ 74, the rome declaration defined seven commitments as main pillars for the achievement of sustainable food security for all whereas its plan of action identified the objectives and actions relevant for practical implementation of these seven commitments,https://sdgs.un.org/topics/rural-development,rome declaration,Goal 2: Zero Hunger,2
130
+ 75, january csd the commission on sustainable development csd first reviewed rural development at its third session when it noted with concern that even though some progress had been reported disappointment is widely expressed at the slow progress in moving towards sustainable agriculture and rural development in many countries,https://sdgs.un.org/topics/rural-development,rural development,Goal 2: Zero Hunger,2
131
+ 76, agenda chapter is devoted to the promotion of sustainable agriculture and rural development and the need for agricultural to satisfy the demands for food from a growing population,https://sdgs.un.org/topics/rural-development,sustainable agriculture,Goal 2: Zero Hunger,2
132
+ 77, it acknowledges that major adjustments are needed in agricultural environmental and macroeconomic policy at both national and international levels in developed as well as developing countries to create the conditions for sustainable agriculture and rural development sard ,https://sdgs.un.org/topics/rural-development,development sard,Goal 2: Zero Hunger,2
133
+ 78, it also identifies as priority the need for maintaining and improving the capacity of the higher potential agricultural lands to support an expanding population,https://sdgs.un.org/topics/rural-development,potential agricultural,Goal 2: Zero Hunger,2
134
+ 79, events see all events may international study tour on juncao technology concrete contributions of juncao technology to supporting poverty eradication employment creation and sustainable development in developing countries fri mon may related goals oct committee on world food security cfs mon fri oct related goals jun joint meeting on pesticide specifications thu mon jun jun fao conference th session sat sat jun join the conversation footer menu contact copyright fraud alert privacy notice terms of use,https://sdgs.un.org/topics/rural-development,juncao technology,Goal 2: Zero Hunger,2
135
+ 0,food security and nutrition and sustainable agriculture department of economic and social affairs sorry you need to enable javascript to visit this website,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,food security,Goal 2: Zero Hunger,2
136
+ 1, skip to main content welcome to the united nations englishfran ais espa ol department of economic and social affairs sustainable development main navigation home sdg knowledge sustainable development goals key topics agenda capacity development publications natural resources forum intergovernmental processes high level political forum on sustainable development un conferences and high level events related to sustainable development multi stakeholder forum on science technology and innovation for the sdgs second committee of the un general assembly samoa pathway ecosoc partnership forum hlpf sids th international conference on small island developing states small island developing states multidimensional vulnerability index for sids united nations sids partnerships awards sids partnership framework sdg actions sdg actions platform faq about the submission of voluntary commitments sdg actions engage events webinars member states un system stakeholder engagement news about topics food security and nutrition and sustainable agriculture related sdgs end hunger achieve food security and improve ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,sustainable development,Goal 2: Zero Hunger,2
137
+ 2, description publications events documents statements milestones description as the world population continues to grow much more effort and innovation will be urgently needed in order to sustainably increase agricultural production improve the global supply chain decrease food losses and waste and ensure that all who are suffering from hunger and malnutrition have access to nutritious food,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,hunger malnutrition,Goal 2: Zero Hunger,2
138
+ 3, many in the international community believe that it is possible to eradicate hunger within the next generation and are working together to achieve this goal,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,eradicate hunger,Goal 2: Zero Hunger,2
139
+ 4, world leaders at the conference on sustainable development rio reaffirmed the right of everyone to have access to safe and nutritious food consistent with the right to adequate food and the fundamental right of everyone to be free from hunger,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,free hunger,Goal 2: Zero Hunger,2
140
+ 5, the un secretary general s zero hunger challenge launched at rio called on governments civil society faith communities the private sector and research institutions to unite to end hunger and eliminate the worst forms of malnutrition,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,hunger challenge,Goal 2: Zero Hunger,2
141
+ 6, the zero hunger challenge has since garnered widespread support from many member states and other entities,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,hunger challenge,Goal 2: Zero Hunger,2
142
+ 7, it calls for zero stunted children under the age of two access to adequate food all year round all food systems are sustainable increase in smallholder productivity and income zero loss or waste of food,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,sustainable 100,Goal 2: Zero Hunger,2
143
+ 8,the sustainable development goal to end hunger achieve food security and improved nutrition and promote sustainable agriculture sdg recognizes the inter linkages among supporting sustainable agriculture empowering small farmers promoting gender equality ending rural poverty ensuring healthy lifestyles tackling climate change and other issues addressed within the set of sustainable development goals in the post development agenda,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,sustainable agriculture,Goal 2: Zero Hunger,2
144
+ 9, beyond adequate calories intake proper nutrition has other dimensions that deserve attention including micronutrient availability and healthy diets,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,proper nutrition,Goal 2: Zero Hunger,2
145
+ 10, inadequate micronutrient intake of mothers and infants can have long term developmental impacts,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,inadequate micronutrient,Goal 2: Zero Hunger,2
146
+ 11, unhealthy diets and lifestyles are closely linked to the growing incidence of non communicable diseases in both developed and developing countries,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,unhealthy diets,Goal 2: Zero Hunger,2
147
+ 12, adequate nutrition during the critical days from beginning of pregnancy through a child s second birthday merits a particular focus,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,second birthday,Goal 2: Zero Hunger,2
148
+ 13, the scaling up nutrition sun movement has made great progress since its creation five years ago in incorporating strategies that link nutrition to agriculture clean water sanitation education employment social protection health care and support for resilience,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,scaling nutrition,Goal 2: Zero Hunger,2
149
+ 14, extreme poverty and hunger are predominantly rural with smallholder farmers and their families making up a very significant proportion of the poor and hungry,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,poverty hunger,Goal 2: Zero Hunger,2
150
+ 15, thus eradicating poverty and hunger are integrally linked to boosting food production agricultural productivity and rural incomes,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,poverty hunger,Goal 2: Zero Hunger,2
151
+ 16, agriculture systems worldwide must become more productive and less wasteful,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,agriculture systems,Goal 2: Zero Hunger,2
152
+ 17, sustainable agricultural practices and food systems including both production and consumption must be pursued from a holistic and integrated perspective,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,sustainable agricultural,Goal 2: Zero Hunger,2
153
+ 18, land healthy soils water and plant genetic resources are key inputs into food production and their growing scarcity in many parts of the world makes it imperative to use and manage them sustainably,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,food production,Goal 2: Zero Hunger,2
154
+ 19, boosting yields on existing agricultural lands including restoration of degraded lands through sustainable agricultural practices would also relieve pressure to clear forests for agricultural production,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,forests agricultural,Goal 2: Zero Hunger,2
155
+ 20, wise management of scarce water through improved irrigation and storage technologies combined with development of new drought resistant crop varieties can contribute to sustaining drylands productivity,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,irrigation storage,Goal 2: Zero Hunger,2
156
+ 21, halting and reversing land degradation will also be critical to meeting future food needs,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,land degradation,Goal 2: Zero Hunger,2
157
+ 22, the rio outcome document calls for achieving a land degradation neutral world in the context of sustainable development,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,land degradation,Goal 2: Zero Hunger,2
158
+ 23, given the current extent of land degradation globally the potential benefits from land restoration for food security and for mitigating climate change are enormous,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,land restoration,Goal 2: Zero Hunger,2
159
+ 24, however there is also recognition that scientific understanding of the drivers of desertification land degradation and drought is still evolving,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,desertification,Goal 2: Zero Hunger,2
160
+ 25, there are many elements of traditional farmer knowledge that enriched by the latest scientific knowledge can support productive food systems through sound and sustainable soil land water nutrient and pest management and the more extensive use of organic fertilizers,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,farmer knowledge,Goal 2: Zero Hunger,2
161
+ 26, an increase in integrated decision making processes at national and regional levels are needed to achieve synergies and adequately address trade offs among agriculture water energy land and climate change,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,integrated decision,Goal 2: Zero Hunger,2
162
+ 27, given expected changes in temperatures precipitation and pests associated with climate change the global community is called upon to increase investment in research development and demonstration of technologies to improve the sustainability of food systems everywhere,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,climate change,Goal 2: Zero Hunger,2
163
+ 28, building resilience of local food systems will be critical to averting large scale future shortages and to ensuring food security and good nutrition for all,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,food security,Goal 2: Zero Hunger,2
164
+ 29,publications state of food security and nutrition in the world updates for many countries have made it possible to estimate hunger in the world with greater accuracy this year,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,estimate hunger,Goal 2: Zero Hunger,2
165
+ 30, in particular newly accessible data enabled the revision of the entire series of undernourishment estimates for china back to resulting in a substantial downward shift of the seri,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,undernourishment estimates,Goal 2: Zero Hunger,2
166
+ 31, read the document food and agriculture our planet faces multiple and complex challenges in the st century,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,agriculture planet,Goal 2: Zero Hunger,2
167
+ 32, the new agenda for sustainable development commits the international community to act together to surmount them and transform our world for today s and future generations,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,agenda sustainable,Goal 2: Zero Hunger,2
168
+ 33, read the document food security and nutrition in small island developing states sids the outcome document of rio the future we want united nations conference on sustainable development june acknowledged that sids remains a special case for sustainable development,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,sustainable development,Goal 2: Zero Hunger,2
169
+ 34, building on the barbados programme of action and the mauritius strategy the document calls for the conv,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,mauritius strategy,Goal 2: Zero Hunger,2
170
+ 35, read the document global blue growth initiative and small island developing states sids three quarters of the earth s surface is covered by oceans and seas which are an engine for global economic growth and a key source of food security,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,island developing,Goal 2: Zero Hunger,2
171
+ 36, the global ocean economic activity is estimated to be usd trillion,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,ocean economic,Goal 2: Zero Hunger,2
172
+ 37, ninety percent of global trade moves by marine transport,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,marine transport,Goal 2: Zero Hunger,2
173
+ 38, read the document fao strategy for partnerships with the private sector the fight against hunger can only be won in partnership with governments and other non state actors among which the private sector plays a fundamental role,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,private sector,Goal 2: Zero Hunger,2
174
+ 39, fao is actively pursuing these partnerships to meet the zero hunger challenge together with un partners and other committed stakeholders,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,partnerships,Goal 2: Zero Hunger,2
175
+ 40, read the document fao strategy for partnerships with civil society organizations the food and agriculture organization of the united nations fao is convinced that hunger and malnutrition can be eradicated in our lifetime,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,hunger malnutrition,Goal 2: Zero Hunger,2
176
+ 41, to meet the zero hunger challenge political commitment and major alliances with key stakeholders are crucial,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,hunger challenge,Goal 2: Zero Hunger,2
177
+ 42, read the document fao and the sustainable development goals the sustainable development goals offer a vision of a fairer more prosperous peaceful and sustainable world in which no one is left behind,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,goals sustainable,Goal 2: Zero Hunger,2
178
+ 43, in food the way it is grown produced consumed traded transported stored and marketed lies the fundamental connection between people and the planet ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,food,Goal 2: Zero Hunger,2
179
+ 44, read the document emerging issues for small island developing states the unep foresight process on emerging global environmental issues primarily identified emerging environmental issues and possible solutions on a global scale and perspective,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,emerging issues,Goal 2: Zero Hunger,2
180
+ 45, in unep carried out a similar exercise to identify priority emerging environmental issues that are of concern to ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,environmental issues,Goal 2: Zero Hunger,2
181
+ 46,transforming our world the agenda for sustainable development this agenda is a plan of action for people planet and prosperity,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,agenda sustainable,Goal 2: Zero Hunger,2
182
+ 47, it also seeks to strengthen universal peace in larger freedom we recognize that eradicating poverty in all its forms and dimensions including extreme poverty is the greatest global challenge and an indispensable requirement for su,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,eradicating poverty,Goal 2: Zero Hunger,2
183
+ 48, read the document good practices in building innovative rural institutions to increase food security continued population growth urbanization and rising incomes are likely to continue to put pressure on food demand,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,food security,Goal 2: Zero Hunger,2
184
+ 49, international prices for most agricultural commodities are set to remain at levels or higher at least for the next decade oecd fao ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,prices agricultural,Goal 2: Zero Hunger,2
185
+ 50, read the document farmer s organizations in bangladesh a mapping and capacity assessment farmers organizations fos in bangladesh have the potential to be true partners in rather than beneficiaries of the development process,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,farmers organizations,Goal 2: Zero Hunger,2
186
+ 51, fos bring to the table a deep knowledge of the local context a nuanced understanding of the needs of their communities and strong social capital,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,social capital,Goal 2: Zero Hunger,2
187
+ 52, read the document the state of food insecurity in the world when the th united nations general assembly begins its general debate on september days will remain to the end of the target date for achieving the millennium development goals mdg ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,food insecurity,Goal 2: Zero Hunger,2
188
+ 53, a stock taking of where we stand on reducing hunger and malnutrition shows that progress in hu,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,hunger malnutrition,Goal 2: Zero Hunger,2
189
+ 54, read the document pagination next page last last page events see all events jul wed tue africa regional capacity building workshop on applications of juncao technology mushroom production livestock feed and environmental protection the division for sustainable development goals of the united nations department of economic and social in collaboration with the national engineering research centre for juncao technology of the fujian agriculture and forestry university fafu of the people s republic of china implemented a proje huye and kigali rwanda jul tue sdg global business forum nbsp the sdg global business forum will take place virtually as a special event alongside the high level political forum on sustainable development hlpf the united nations central platform for the follow up and review of the sdgs,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,sustainable development,Goal 2: Zero Hunger,2
190
+ 55, the forum will place special emphasis on the sdgs under virtual mar tue wed ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,sdgs virtual,Goal 2: Zero Hunger,2
191
+ 56,virtual mar tue wed expert group meeting on sdg and its interlinkages with other sdgs the theme of the nbsp high level political forum nbsp hlpf is reinforcing the agenda and eradicating poverty in times of multiple crises the effective delivery of sustainable resilient and innovative solutions ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,meeting sdg2,Goal 2: Zero Hunger,2
192
+ 57, the hlpf will have an in depth review of sustainable development goa rome italy mar mon tue expert group meetings for hlpf thematic review the theme of the high level political forum hlpf is reinforcing the agenda and eradicating poverty in times of multiple crisis the effective delivery of sustainable resilient and innovative solutions ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,2024 hlpf,Goal 2: Zero Hunger,2
193
+ 58, the hlpf will have an in depth review of sdg on no poverty sdg on zero hu tokyo rome geneva and new york feb tue fri international workshop on applications of juncao technology and its contribution to alleviating poverty promoting employment and protecting the environment according to the united nations food systems summit that was held in many of the world s food systems are fragile and not fulfilling the right to adequate food for all,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,poverty sdg,Goal 2: Zero Hunger,2
194
+ 59, hunger and malnutrition are on the rise again,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,hunger malnutrition,Goal 2: Zero Hunger,2
195
+ 60, according to fao s the state of food security and nutrition in the world nadi fiji dec mon sun second regional workshop on applications of juncao technology and its contribution to the achievement of sustainable agriculture and the sustainable development goals in africa december ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,juncao technology,Goal 2: Zero Hunger,2
196
+ 61, purpose of the workshop at the halfway point of the agenda for sustainable development the application of science and technology in developing sustainable agricultural practices has the potential to accelerate transformative change in support of the sustainable development goals,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,sustainable agricultural,Goal 2: Zero Hunger,2
197
+ 62, in that r addis ababa ethiopia jul wed the state of food security and nutrition in the world sofi launch on nbsp july from am to pm edt fao and its co publishing partners will be launching for the fifth time the nbsp state of food security and nutrition in the world nbsp sofi report at a special event in the margins of the ecosoc high level political forum hlpf ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,ethiopia 2023,Goal 2: Zero Hunger,2
198
+ 63, the edition conference room unhq new york jul wed ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,conference room,Goal 2: Zero Hunger,2
199
+ 64,conference room unhq new york jul wed the state of food security and nutrition in the world sofi launch the state of food security and nutrition in the world is an annual flagship report to inform on progress towards ending hunger achieving food security and improving nutrition and to provide in depth analysis on key challenges for achieving this goal in the context of the agenda for sustainable conference room unhq in new york jul mon the state of food security and nutrition in the world sofi the state of food security and nutrition in the world sofi report presents the first evidence based global assessment of chronic food insecurity in the year the covid pandemic emerged and spread across the globe,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,food security,Goal 2: Zero Hunger,2
200
+ 65, the sofi report will also focus on complementary food system solu virtual nyc time oct mon fri committee on world food security cfs rome italy displaying of title type date a agriculture technology for sustainable development leaving no one behind secretary general reports aug a agriculture development food security and nutrition inclusive green recovery from the covid pandemic through agri food systems transformation secretary general reports aug bios of speakers state of food security and nutrition in the world sofi other documents jul agenda state of food security and nutrition in the world sofi programme jul concept note state of food security and nutrition in the world sofi concept notes jun draft agenda the state of food security and nutrition in the world other documents may a agriculture development food security and nutrition secretary general reports aug draft pacific framework february feb a agriculture development food security and nutrition secretary general reports aug a agricultural technology for sustainable development secretary general reports jul hlfp thematic review of sdg end hunger achieve food security and improved nutrition and promote background notes apr a e main decisions and policy recommendations of the committee on world food security secretary general reports feb a agriculture development food security and nutrition secretary general reports aug sdg industry matrix food beverage and consumer goods other documents mar a add,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,food security,Goal 2: Zero Hunger,2
201
+ 66, implementation of agenda the programme for the further implementation of agenda and the resolutions and decisions dec pagination ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,agenda 21,Goal 2: Zero Hunger,2
202
+ 67, implementation of agenda the programme for the further implementation of agenda and the resolutions and decisions dec pagination next next page last last page displaying of title category date sort ascending mr,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,agenda 21,Goal 2: Zero Hunger,2
203
+ 68, maximo torero chief economist fao presentations jul together statements jul mr,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,economist fao,Goal 2: Zero Hunger,2
204
+ 69, einar bjorgo program manager unosat program unitar session oct mr,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,unosat program,Goal 2: Zero Hunger,2
205
+ 70, ramasamy selvaraju natural resources officer fao session oct mr,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,ramasamy selvaraju,Goal 2: Zero Hunger,2
206
+ 71, milton haughton executive director caribbean regional fisheries mechanism session oct mr,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,fisheries,Goal 2: Zero Hunger,2
207
+ 72, fabio attorre professor department of environmental biology university of rome session oct dr,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,environmental biology,Goal 2: Zero Hunger,2
208
+ 73, isabella francis granderson lecturer nutrition and dietetics univeristy of session oct h,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,nutrition dietetics,Goal 2: Zero Hunger,2
209
+ 74, carl greenidge vice president and minister of foreign affairs guyana session oct ms,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,guyana session,Goal 2: Zero Hunger,2
210
+ 75, xianfu lu team lead adaptation impacts vulnerability and risks unfccc session oct mr,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,risks unfccc,Goal 2: Zero Hunger,2
211
+ 76, simone libralato oceanography unit italian national institute of oceanography and session oct mr,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,libralato oceanography,Goal 2: Zero Hunger,2
212
+ 77, mukesh rughoo executive secretary croplife mauritius session oct ms,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,croplife mauritius,Goal 2: Zero Hunger,2
213
+ 78, maria helena semedo deputy director general natural resources fao session oct ms,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,helena semedo,Goal 2: Zero Hunger,2
214
+ 79, paula vivili director public health division secretariat of the pacific community session oct mr,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,pacific community,Goal 2: Zero Hunger,2
215
+ 80, andrea di vecchia italian biometeorology institute italian national research session oct pagination next next page last last page milestones january sdg sdg focuses on ending hunger achieving food security and improved nutrition and promoting sustainable agriculture,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,sdg sdg2,Goal 2: Zero Hunger,2
216
+ 81, in particular its targets aims to end hunger and ensure access by all people in particular the poor and people in vulnerable situations including infants to safe nutritious and sufficient food all year round by ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,hunger,Goal 2: Zero Hunger,2
217
+ 82, end all forms of malnutrition by including achieving by the internationally agreed targets on stunting and wasting in children under years of age and address the nutritional needs of adolescent girls pregnant and lactating women and older persons ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,malnutrition 2030,Goal 2: Zero Hunger,2
218
+ 83,double by double the agricultural productivity and incomes of small scale food producers in particular women indigenous peoples family farmers pastoralists and fishers including through secure and equal access to land other productive resources and inputs knowledge financial services markets and opportunities for value addition and non farm employment ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,double agricultural,Goal 2: Zero Hunger,2
219
+ 84, ensure sustainable food production systems and implement resilient agricultural practices that increase productivity and production that help maintain ecosystems that strengthen capacity for adaptation to climate change extreme weather drought flooding and other disasters and that progressively improve land and soil quality ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,resilient agricultural,Goal 2: Zero Hunger,2
220
+ 85, by maintain the genetic diversity of seeds cultivated plants and farmed and domesticated animals and their related wild species including through soundly managed and diversified seed and plant banks at the national regional and international levels and promote access to and fair and equitable sharing of benefits arising from the utilization of genetic resources and associated traditional knowledge as internationally agreed ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,diversity seeds,Goal 2: Zero Hunger,2
221
+ 86, the alphabetical goals aim to increase investment in rural infrastructure agricultural research and extension services technology development and plant and livestock gene banks correct and prevent trade restrictions and distortions in world agricultural markets as well as adopt measures to ensure the proper functioning of food commodity markets and their derivatives and facilitate timely access to market information including on food reserves in order to help limit extreme food price volatility,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,agricultural markets,Goal 2: Zero Hunger,2
222
+ 87, on nutrition and framework for action the second international conference on nutrition icn took place at fao headquarters in rome in november ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,nutrition icn2,Goal 2: Zero Hunger,2
223
+ 88, the conference resulted in the rome declaration on nutrition and the framework for action a political commitment document and a flexible policy framework respectively aimed at addressing the current major nutrition challenges and identifying priorities for enhanced international cooperation on nutrition,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,declaration nutrition,Goal 2: Zero Hunger,2
224
+ 89, january future we want para in future we want member states reaffirm their commitments regarding the right of everyone to have access to safe sufficient and nutritious food consistent with the right to adequate food and the fundamental right of everyone to be free from hunger ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,future want,Goal 2: Zero Hunger,2
225
+ 90, member states also acknowledge that food security and nutrition has become a pressing global challenge,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,food security,Goal 2: Zero Hunger,2
226
+ 91, at rio the un secretary general s zero hunger challenge was launched in order to call on governments civil society faith communities the private sector and research institutions to unite to end hunger and eliminate the worst forms of malnutrition,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,hunger challenge,Goal 2: Zero Hunger,2
227
+ 92, january un sg hltf on food and nutrition security the un sg hltf on food and nutrition security was established by the un sg mr ban ki moon in and since then has aimed at promoting a comprehensive and unified response of the international community to the challenge of achieving global food and nutrition security,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,nutrition security,Goal 2: Zero Hunger,2
228
+ 93, it has also been responsible for building joint positions among its members around the five elements of the zero hunger challenge,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,zero hunger,Goal 2: Zero Hunger,2
229
+ 94, january report world food summit ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,food summit,Goal 2: Zero Hunger,2
230
+ 95,it has also been responsible for building joint positions among its members around the five elements of the zero hunger challenge,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,zero hunger,Goal 2: Zero Hunger,2
231
+ 96, january report world food summit the world food summit adopted a declaration calling on the international community to fulfill the pledge made at the original world food summit in to reduce the number of hungry people to about million by ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,food summit,Goal 2: Zero Hunger,2
232
+ 97, january mdg mdg aims at eradicating extreme poverty and hunger,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,mdg aims,Goal 2: Zero Hunger,2
233
+ 98, its three targets respectively read halve between and the proportion of people whose income is less than ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,2015 proportion,Goal 2: Zero Hunger,2
234
+ 99,a achieve full and productive employment and decent work for all including women and young people ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,productive employment,Goal 2: Zero Hunger,2
235
+ 100,b halve between and the proportion of people who suffer from hunger ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,suffer hunger,Goal 2: Zero Hunger,2
236
+ 101, on world food security the summit aimed to reaffirm global commitment at the highest political level to eliminate hunger and malnutrition and to achieve sustainable food security for all,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,food security,Goal 2: Zero Hunger,2
237
+ 102, thank to its high visibility the summit contributed to raise further awareness on agriculture capacity food insecurity and malnutrition among decision makers in the public and private sectors in the media and with the public at large,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,visibility summit,Goal 2: Zero Hunger,2
238
+ 103, it also set the political conceptual and technical blueprint for an ongoing effort to eradicate hunger at global level with the target of reducing by half the number of undernourished people by no later than the year ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,eradicate hunger,Goal 2: Zero Hunger,2
239
+ 104, the rome declaration defined seven commitments as main pillars for the achievement of sustainable food security for all whereas its plan of action identified the objectives and actions relevant for practical implementation of these seven commitments,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,rome declaration,Goal 2: Zero Hunger,2
240
+ 105, january st icn the first international conference on nutrition icn convened at the fao s headquarters in rome to identify common strategies and methods to eradicate hunger and malnutrition,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,nutrition icn,Goal 2: Zero Hunger,2
241
+ 106, the conference was organized by the food and agriculture organization fao and the world health organization who and was attended by delegations from countries as well as the european economic community united nations organizations intergovernmental organizations and non governmental organizations,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,organization fao,Goal 2: Zero Hunger,2
242
+ 107, january creation of agrostat now faostat since agrostat now known as faostat has provided cross sectional data relating to food and agriculture as well as time series for some countries,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,agrostat faostat,Goal 2: Zero Hunger,2
243
+ 108, january st world food day world food day is celebrated each year on october to commemorate the day on which fao was founded in ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,food day,Goal 2: Zero Hunger,2
244
+ 109, established on the occasion of fao twentieth general conference held in november the first world food day was celebrated in and was devoted to the theme food comes first ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,celebrated 1981,Goal 2: Zero Hunger,2
245
+ 110, pagination page next page next events see all events,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,pagination page,Goal 2: Zero Hunger,2
246
+ 111,established on the occasion of fao twentieth general conference held in november the first world food day was celebrated in and was devoted to the theme food comes first ,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,celebrated 1981,Goal 2: Zero Hunger,2
247
+ 112, pagination page next page next events see all events jul africa regional capacity building workshop on applications of juncao technology mushroom production livestock feed and environmental protection wed tue aug related goals jul sdg global business forum tue tue jul related goals mar expert group meeting on sdg and its interlinkages with other sdgs tue wed mar related goals mar expert group meetings for hlpf thematic review mon tue may related goals join the conversation footer menu contact copyright fraud alert privacy notice terms of use,https://sdgs.un.org/topics/food-security-and-nutrition-and-sustainable-agriculture,africa regional,Goal 2: Zero Hunger,2
src/train_bert/training_data/FeatureSet_3.csv ADDED
@@ -0,0 +1,141 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ ,text_data,source,best_key_word,category,label
2
+ 0,great strides have been made in improving people s health in recent years,https://www.un.org/sustainabledevelopment/health,strides improving,Goal 3: Good Health and Well-Being,3
3
+ 1, out of countries or areas have already met or are on track to meet the sdg target on under mortality,https://www.un.org/sustainabledevelopment/health,target mortality,Goal 3: Good Health and Well-Being,3
4
+ 2, effective hiv treatment has cut global aids related deaths by per cent since and at least one neglected tropical disease has been eliminated in countries,https://www.un.org/sustainabledevelopment/health,hiv treatment,Goal 3: Good Health and Well-Being,3
5
+ 3, however inequalities in health care access still persist,https://www.un.org/sustainabledevelopment/health,inequalities health,Goal 3: Good Health and Well-Being,3
6
+ 4, the covid pandemic and other ongoing crises have impeded progress towards goal ,https://www.un.org/sustainabledevelopment/health,pandemic ongoing,Goal 3: Good Health and Well-Being,3
7
+ 5, childhood vaccinations have experienced the largest decline in three decades and tuberculosis and malaria deaths have increased compared with pre pandemic levels,https://www.un.org/sustainabledevelopment/health,childhood vaccinations,Goal 3: Good Health and Well-Being,3
8
+ 6, the sustainable development goals make a bold commitment to end the epidemics of aids tuberculosis malaria and other communicable diseases by ,https://www.un.org/sustainabledevelopment/health,diseases 2030,Goal 3: Good Health and Well-Being,3
9
+ 7, the aim is to achieve universal health coverage and provide access to safe and affordable medicines and vaccines for all,https://www.un.org/sustainabledevelopment/health,universal health,Goal 3: Good Health and Well-Being,3
10
+ 8, to overcome these setbacks and address long standing health care shortcomings increased investment in health systems is needed to support countries in their recovery and build resilience against future health threats,https://www.un.org/sustainabledevelopment/health,health systems,Goal 3: Good Health and Well-Being,3
11
+ 9, access to essential health services a significant portion of the global population still lacks access to vital healthcare services,https://www.un.org/sustainabledevelopment/health,vital healthcare,Goal 3: Good Health and Well-Being,3
12
+ 10, to bridge this gap and ensure equitable healthcare provision addressing disparities is critical,https://www.un.org/sustainabledevelopment/health,addressing disparities,Goal 3: Good Health and Well-Being,3
13
+ 11, various determinants of health including environmental and commercial factors need attention to pave the way for achieving our common objective of health for all and achieving the sustainable development goal targets,https://www.un.org/sustainabledevelopment/health,health achieving,Goal 3: Good Health and Well-Being,3
14
+ 12, ensuring healthy lives for all requires a strong commitment but the benefits outweigh the cost,https://www.un.org/sustainabledevelopment/health,healthy lives,Goal 3: Good Health and Well-Being,3
15
+ 13, healthy people are the foundation for healthy economies,https://www.un.org/sustainabledevelopment/health,healthy economies,Goal 3: Good Health and Well-Being,3
16
+ 14, countries worldwide are urged to take immediate and decisive actions to predict and counteract health challenges,https://www.un.org/sustainabledevelopment/health,health challenges,Goal 3: Good Health and Well-Being,3
17
+ 15, this becomes especially critical in safeguarding vulnerable population groups and individuals residing in regions burdened by high disease prevalence,https://www.un.org/sustainabledevelopment/health,vulnerable population,Goal 3: Good Health and Well-Being,3
18
+ 16, by doing so we can strengthen health systems and foster resilience in the face of health adversities,https://www.un.org/sustainabledevelopment/health,foster resilience,Goal 3: Good Health and Well-Being,3
19
+ 17, immunization is one of the world s most successful and cost effective health interventions,https://www.un.org/sustainabledevelopment/health,immunization world,Goal 3: Good Health and Well-Being,3
20
+ 18, however the alarming decline in childhood vaccination the largest sustained decline in childhood vaccinations in approximately years is leaving millions of children at risk from devastating but preventable diseases,https://www.un.org/sustainabledevelopment/health,childhood vaccinations,Goal 3: Good Health and Well-Being,3
21
+ 19, universal health coverage uhc aims to ensure that everyone can access quality health services without facing financial hardship,https://www.un.org/sustainabledevelopment/health,universal health,Goal 3: Good Health and Well-Being,3
22
+ 20, while efforts to combat infectious diseases like hiv tb and malaria led to significant expansions in service coverage between and progress has since slowed,https://www.un.org/sustainabledevelopment/health,hiv tb,Goal 3: Good Health and Well-Being,3
23
+ 21, inequalities continue to be a fundamental challenge for uhc,https://www.un.org/sustainabledevelopment/health,challenge uhc,Goal 3: Good Health and Well-Being,3
24
+ 22, coverage of reproductive maternal child and adolescent health services tends to be higher among those whoare richer more educated and living in urban areas especially in low income countries,https://www.un.org/sustainabledevelopment/health,coverage reproductive,Goal 3: Good Health and Well-Being,3
25
+ 23, you can start by promoting and protecting your own health and the health of those around you by making well informed choices practicing safe sex and vaccinating your children,https://www.un.org/sustainabledevelopment/health,vaccinating children,Goal 3: Good Health and Well-Being,3
26
+ 24, you can raise awareness in your community about the importance of good health healthy lifestyles as well as people s right to quality health care services especially for the most vulnerable such as women and children,https://www.un.org/sustainabledevelopment/health,awareness community,Goal 3: Good Health and Well-Being,3
27
+ 25, you can also hold your government local leaders and other decision makers accountable to their commitments to improve people access to health and health care,https://www.un.org/sustainabledevelopment/health,health care,Goal 3: Good Health and Well-Being,3
28
+ 26, facts and figuresgoal targetslinksfacts and figures,https://www.un.org/sustainabledevelopment/health,targetslinksfacts figures,Goal 3: Good Health and Well-Being,3
29
+ 27,there has been some progress on improving global health in recent years,https://www.un.org/sustainabledevelopment/health,global health,Goal 3: Good Health and Well-Being,3
30
+ 28, for example out of countries or areas have already met or are on track to meet the sdg target on under mortality,https://www.un.org/sustainabledevelopment/health,target mortality,Goal 3: Good Health and Well-Being,3
31
+ 29, effective hiv treatment has cut global aids related deaths by per cent since and at least one neglected tropical disease has been eliminated in countries,https://www.un.org/sustainabledevelopment/health,hiv treatment,Goal 3: Good Health and Well-Being,3
32
+ 30, however insufficient progress has been made in other areas such as on reducing maternal mortality and expanding universal health coverage,https://www.un.org/sustainabledevelopment/health,reducing maternal,Goal 3: Good Health and Well-Being,3
33
+ 31, globally approximately women died every day from pregnancy or childbirth in ,https://www.un.org/sustainabledevelopment/health,women died,Goal 3: Good Health and Well-Being,3
34
+ 32, and million people were pushed or further pushed into extreme poverty in due to out of pocket payments for health,https://www.un.org/sustainabledevelopment/health,poverty 2019,Goal 3: Good Health and Well-Being,3
35
+ 33, the covid pandemic and ongoing crises have impeded progress towards goal ,https://www.un.org/sustainabledevelopment/health,pandemic ongoing,Goal 3: Good Health and Well-Being,3
36
+ 34, childhood vaccinations have experienced the largest decline in three decades and tuberculosis and malaria deaths have increased compared with pre pandemic levels,https://www.un.org/sustainabledevelopment/health,childhood vaccinations,Goal 3: Good Health and Well-Being,3
37
+ 35, to overcome these setbacks and address long standing health care shortcomings increased investment in health systems is needed to support countries in their recovery and build resilience against future health threats,https://www.un.org/sustainabledevelopment/health,health systems,Goal 3: Good Health and Well-Being,3
38
+ 36,source the sustainable development goals report goal targets ,https://www.un.org/sustainabledevelopment/health,sustainable development,Goal 3: Good Health and Well-Being,3
39
+ 37, by reduce the global maternal mortality ratio to less than per live births,https://www.un.org/sustainabledevelopment/health,maternal mortality,Goal 3: Good Health and Well-Being,3
40
+ 38, by end preventable deaths of newborns and children under years of age with all countries aiming to reduce neonatal mortality to at least as low as per live births and under mortality to at least as low as per live births,https://www.un.org/sustainabledevelopment/health,neonatal mortality,Goal 3: Good Health and Well-Being,3
41
+ 39, by end the epidemics of aids tuberculosis malaria and neglected tropical diseases and combat hepatitis water borne diseases and other communicable diseases,https://www.un.org/sustainabledevelopment/health,epidemics aids,Goal 3: Good Health and Well-Being,3
42
+ 40, by reduce by one third premature mortality from non communicable diseases through prevention and treatment and promote mental health and well being,https://www.un.org/sustainabledevelopment/health,premature mortality,Goal 3: Good Health and Well-Being,3
43
+ 41, strengthen the prevention and treatment of substance abuse including narcotic drug abuse and harmful use of alcohol,https://www.un.org/sustainabledevelopment/health,substance abuse,Goal 3: Good Health and Well-Being,3
44
+ 42, by halve the number of global deaths and injuries from road traffic accidents,https://www.un.org/sustainabledevelopment/health,traffic accidents,Goal 3: Good Health and Well-Being,3
45
+ 43, by ensure universal access to sexual and reproductive health care services including for family planning information and education and the integration of reproductive health into national strategies and programmes,https://www.un.org/sustainabledevelopment/health,reproductive health,Goal 3: Good Health and Well-Being,3
46
+ 44, achieve universal health coverage including financial risk protection access to quality essential health care services and access to safe effective quality and affordable essential medicines and vaccines for all,https://www.un.org/sustainabledevelopment/health,health coverage,Goal 3: Good Health and Well-Being,3
47
+ 45, by substantially reduce the number of deaths and illnesses from hazardous chemicals and air water and soil pollution and contamination,https://www.un.org/sustainabledevelopment/health,pollution,Goal 3: Good Health and Well-Being,3
48
+ 46,a strengthen the implementation of the world health organization framework convention on tobacco control in all countries as appropriate,https://www.un.org/sustainabledevelopment/health,tobacco control,Goal 3: Good Health and Well-Being,3
49
+ 47,b support the research and development of vaccines and medicines for the communicable and noncommunicable diseases that primarily affect developing countries provide access to affordable essential medicines and vaccines in accordance with the doha declaration on the trips agreement and public health which affirms the right of developing countries to use to the full the provisions in the agreement on trade related aspects of intellectual property rights regarding flexibilities to protect public health and in particular provide access to medicines for all,https://www.un.org/sustainabledevelopment/health,accordance doha,Goal 3: Good Health and Well-Being,3
50
+ 48,c substantially increase health financing and the recruitment development training and retention of the health workforce in developing countries especially in least developed countries and small island developing states,https://www.un.org/sustainabledevelopment/health,health workforce,Goal 3: Good Health and Well-Being,3
51
+ 49,d strengthen the capacity of all countries in particular developing countries for early warning risk reduction and management of national and global health risks,https://www.un.org/sustainabledevelopment/health,developing countries,Goal 3: Good Health and Well-Being,3
52
+ 50, links world health organization who reducing child mortality un children s fund un development programme unaids roll back malaria un population fund un women un water stop tuberculosis partnership unfpa hiv aids unfpa sexual reproductive health unfpa obstetric fistula unfpa midwifery unfpa maternal health fast facts good health and well being infographic good health and well being related news,https://www.un.org/sustainabledevelopment/health,health unfpa,Goal 3: Good Health and Well-Being,3
53
+ 51,global demand for meat and dairy set to rise but climate and nutrition gaps remain gallery global demand for meat and dairy set to rise but climate and nutrition gaps remaindpicampaigns t jul global demand for meat dairy and fish is projected to climb steadily over the next decade driven by rising incomes and urbanisation in middle income countries,https://www.un.org/sustainabledevelopment/health,demand meat,Goal 3: Good Health and Well-Being,3
54
+ 52, read full story on un newsread more who urges rollout of first long acting hiv prevention jab gallery who urges rollout of first long acting hiv prevention jabdpicampaigns t jul a breakthrough hiv drug that only needs to be injected twice a year to offer near total protection from the virus and developing aids should be made available immediately at pharmacies clinics and via online consultations ,https://www.un.org/sustainabledevelopment/health,hiv prevention,Goal 3: Good Health and Well-Being,3
55
+ 53, read more lifesaver study shows vaccine campaigns cut deaths by nearly per cent gallery lifesaver study shows vaccine campaigns cut deaths by nearly per centdpicampaigns t jul emergency vaccination campaigns have slashed deaths from major infectious disease outbreaks by nearly per cent since according to a new study published this week,https://www.un.org/sustainabledevelopment/health,vaccination campaigns,Goal 3: Good Health and Well-Being,3
56
+ 54, read full story on un newsread more nextload more postsrelated videosmartin t watch how we treat our waste affects our health environment and even our economies mottainai,https://www.un.org/sustainabledevelopment/health,treat waste,Goal 3: Good Health and Well-Being,3
57
+ 55, is a japanese term for what a waste,https://www.un.org/sustainabledevelopment/health,term waste,Goal 3: Good Health and Well-Being,3
58
+ 56, watch this un environment video to see how living more sustainably saves literally tonnes of waste,https://www.un.org/sustainabledevelopment/health,living sustainably,Goal 3: Good Health and Well-Being,3
59
+ 57, martin t in small villages in papua new guinea the un sustainable development goals can make a big differencemartin t jordan the midwife making a differenceshare this story choose your platform,https://www.un.org/sustainabledevelopment/health,guinea sustainable,Goal 3: Good Health and Well-Being,3
60
+ 58, the goals read moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread more sdg resources across the unsustainable development knowledge platform united nations sustainable development group united to reform united nations homepage sdg media zone un newsdroughts are causing record devastation worldwide un backed report revealspakistan reels under monsoon deluge as death toll climbsworld horse day honoring humanity s oldest and most loyal companionoverlooked and underestimated sand and dust storms wreak havoc across borders,https://www.un.org/sustainabledevelopment/health,united nations,Goal 3: Good Health and Well-Being,3
61
+ 0,health and population department of economic and social affairs sorry you need to enable javascript to visit this website,https://sdgs.un.org/topics/health-and-population,health population,Goal 3: Good Health and Well-Being,3
62
+ 1, skip to main content welcome to the united nations englishfran ais espa ol department of economic and social affairs sustainable development main navigation home sdg knowledge sustainable development goals key topics agenda capacity development publications natural resources forum intergovernmental processes high level political forum on sustainable development un conferences and high level events related to sustainable development multi stakeholder forum on science technology and innovation for the sdgs second committee of the un general assembly samoa pathway ecosoc partnership forum hlpf sids th international conference on small island developing states small island developing states multidimensional vulnerability index for sids united nations sids partnerships awards sids partnership framework sdg actions sdg actions platform faq about the submission of voluntary commitments sdg actions engage events webinars member states un system stakeholder engagement news about topics health and population related sdgs ensure healthy lives and promote well being f ,https://sdgs.un.org/topics/health-and-population,sustainable development,Goal 3: Good Health and Well-Being,3
63
+ 2, description publications events documents statements milestones description,https://sdgs.un.org/topics/health-and-population,description publications,Goal 3: Good Health and Well-Being,3
64
+ 3,engage events webinars member states un system stakeholder engagement news about topics health and population related sdgs ensure healthy lives and promote well being f ,https://sdgs.un.org/topics/health-and-population,events webinars,Goal 3: Good Health and Well-Being,3
65
+ 4, description publications events documents statements milestones description sustainable development goal of the agenda for sustainable development is to ensure healthy lives and promoting well being for all at all ages ,https://sdgs.un.org/topics/health-and-population,agenda sustainable,Goal 3: Good Health and Well-Being,3
66
+ 5, tthe associated targets aim to reduce the global maternal mortality ratio end preventable deaths of newborns and children end the epidemics of aids tuberculosis malaria and other communicable diseases reduce mortality from non communicable diseases strengthen the prevention and treatment of substance abuse halve the number of deaths and injuries from road traffic accidents ensure universal access to sexual and reproductive health care services achieve universal health coverage and reduce the number of deaths and illnesses from hazardous chemicals and pollution,https://sdgs.un.org/topics/health-and-population,reduce mortality,Goal 3: Good Health and Well-Being,3
67
+ 6, the mdg era and before as part of the efforts to achieve the maternal and child health mdgs the un secretary general ban ki moon launched the every woman every child initiative at the united nations millennium development goals summit in september ,https://sdgs.un.org/topics/health-and-population,mdgs secretary,Goal 3: Good Health and Well-Being,3
68
+ 7, every woman every child is an unprecedented global movement that mobilizes and intensifies international and national action by governments multilaterals the private sector and civil society to address the major health challenges facing women and children around the world,https://sdgs.un.org/topics/health-and-population,women children,Goal 3: Good Health and Well-Being,3
69
+ 8, the movement puts into action the global strategy for women and children s health which presents a roadmap on how to enhance financing strengthen policy and improve service on the ground for the most vulnerable women and children,https://sdgs.un.org/topics/health-and-population,children health,Goal 3: Good Health and Well-Being,3
70
+ 9, the commission on sustainable development considered health and sustainable development as a cross cutting issue during the two year cycle of its multi year programme of work,https://sdgs.un.org/topics/health-and-population,health sustainable,Goal 3: Good Health and Well-Being,3
71
+ 10, health and sustainable development was also an integral part of the world summit on sustainable development held in johannesburg in ,https://sdgs.un.org/topics/health-and-population,summit sustainable,Goal 3: Good Health and Well-Being,3
72
+ 11, the outcome document of the summit the johannesburg plan of implementation devotes chapter to health and sustainable development recalling that human beings are entitled to a healthy and productive life in harmony with nature and further recognizes that the goals of sustainable development can only be achieved in the absence of a high prevalence of debilitating diseases while obtaining health gains for the whole population requires poverty eradication,https://sdgs.un.org/topics/health-and-population,health sustainable,Goal 3: Good Health and Well-Being,3
73
+ 12, the outcome of the united nations on environment and development agenda devotes chapter to protecting and promoting human health ,https://sdgs.un.org/topics/health-and-population,nations environment,Goal 3: Good Health and Well-Being,3
74
+ 13, the agenda recognizes that health and development are intimately interconnected and call that action items under agenda must address the primary health needs of the world s population since they are integral to the achievement of the goals of sustainable development and primary environmental care publications,https://sdgs.un.org/topics/health-and-population,agenda 21,Goal 3: Good Health and Well-Being,3
75
+ 14,publications raising ambition in the era of paris and pandemic recovery this synthesis report provides a summary of the deliberations made during the above mentioned learning series,https://sdgs.un.org/topics/health-and-population,paris pandemic,Goal 3: Good Health and Well-Being,3
76
+ 15, it also provides conceptual and methodological information on how to achieve better synergies and overcome constraints,https://sdgs.un.org/topics/health-and-population,provides conceptual,Goal 3: Good Health and Well-Being,3
77
+ 16, harnessing synergies is particularly critical in the context of insti,https://sdgs.un.org/topics/health-and-population,harnessing synergies,Goal 3: Good Health and Well-Being,3
78
+ 17, read the document consultations on climate and sdg synergies for a better and stronger recovery from the covid pandemic the consultations focused attention on the possibilities for simultaneously advancing economic recovery climate action and sdg objectives,https://sdgs.un.org/topics/health-and-population,climate sdg,Goal 3: Good Health and Well-Being,3
79
+ 18, contributors to these consultations expanded our understanding of climate and sdg synergies and illustrated how such synergies can enable countries to rai,https://sdgs.un.org/topics/health-and-population,climate sdg,Goal 3: Good Health and Well-Being,3
80
+ 19, read the document publication shared responsibility global solidarity responding to the socio economic impacts of covid this report is a call to action for the immediate health response required to suppress transmission of the virus to end the pandemic and to tackle the many social and economic dimensions of this crisis,https://sdgs.un.org/topics/health-and-population,covid 19,Goal 3: Good Health and Well-Being,3
81
+ 20, it is above all a call to focus on people women youth low wage workers small and medium ,https://sdgs.un.org/topics/health-and-population,focus people,Goal 3: Good Health and Well-Being,3
82
+ 21, read the document report sdg tag policy briefs accelerating sdg achievement in the time of covid this document was prepared in support of the first sdg review at the united nations high level political forum ,https://sdgs.un.org/topics/health-and-population,2020 sdg7,Goal 3: Good Health and Well-Being,3
83
+ 22, the views expressed in this publication are those of the experts whose contributions are acknowledged and do not necessarily refect those of the united nations or the organizations ,https://sdgs.un.org/topics/health-and-population,united nations,Goal 3: Good Health and Well-Being,3
84
+ 23, read the document emerging issues for small island developing states the unep foresight process on emerging global environmental issues primarily identified emerging environmental issues and possible solutions on a global scale and perspective,https://sdgs.un.org/topics/health-and-population,emerging issues,Goal 3: Good Health and Well-Being,3
85
+ 24, in unep carried out a similar exercise to identify priority emerging environmental issues that are of concern to ,https://sdgs.un.org/topics/health-and-population,environmental issues,Goal 3: Good Health and Well-Being,3
86
+ 25, read the document transforming our world the agenda for sustainable development this agenda is a plan of action for people planet and prosperity,https://sdgs.un.org/topics/health-and-population,agenda sustainable,Goal 3: Good Health and Well-Being,3
87
+ 26, it also seeks to strengthen universal peace in larger freedom we recognize that eradicating poverty in all its forms and dimensions including extreme poverty is the greatest global challenge and an indispensable requirement for su,https://sdgs.un.org/topics/health-and-population,eradicating poverty,Goal 3: Good Health and Well-Being,3
88
+ 27, read the document srh and hiv linkages compendium ensuring universal access to sexual and reproductive health and rights and hiv prevention treatment care and support are essential for development including in the post agenda,https://sdgs.un.org/topics/health-and-population,srh hiv,Goal 3: Good Health and Well-Being,3
89
+ 28, however while there are many separate sexual and reproductive health srh related and hiv related indicators a ,https://sdgs.un.org/topics/health-and-population,reproductive health,Goal 3: Good Health and Well-Being,3
90
+ 29,however while there are many separate sexual and reproductive health srh related and hiv related indicators a ,https://sdgs.un.org/topics/health-and-population,reproductive health,Goal 3: Good Health and Well-Being,3
91
+ 30, read the document hiv and sexual and reproductive health programming innovative approaches to integrated service delivery in light of recent progress towards eliminating paediatric hiv strong momentum for integrating hiv and sexual and reproductive health srh including maternal newborn and child health mnch family planning fp and sexually transmitted infection sti programmes and the recent who guidelines,https://sdgs.un.org/topics/health-and-population,paediatric hiv,Goal 3: Good Health and Well-Being,3
92
+ 31, read the document adding it up women need sexual and reproductive health services from adolescence through the end of their reproductive years whether or not they have a birth and those who give birth need essential care to protect their health and ensure their newborns survive,https://sdgs.un.org/topics/health-and-population,reproductive health,Goal 3: Good Health and Well-Being,3
93
+ 32, the declines in maternal and infant deaths in dev,https://sdgs.un.org/topics/health-and-population,infant deaths,Goal 3: Good Health and Well-Being,3
94
+ 33, read the document connecting global priorities biodiversity and human health biodiversity ecosystems and the essential services that they deliver are central pillars for all life on the planet including human life,https://sdgs.un.org/topics/health-and-population,priorities biodiversity,Goal 3: Good Health and Well-Being,3
95
+ 34, they are sources of food and essential nutrients medicines and medicinal compounds fuel energy livelihoods and cultural and spiritual enrichment,https://sdgs.un.org/topics/health-and-population,sources food,Goal 3: Good Health and Well-Being,3
96
+ 35, read the document population consumption and the environment the wall chart on population consumption and the environment presents the latest data available on indicators including those related to population size and growth urbanization economic development and growth energy consumption and carbon dioxide emissions at the national regional an,https://sdgs.un.org/topics/health-and-population,population consumption,Goal 3: Good Health and Well-Being,3
97
+ 36, read the document sids partnerships briefs social development of sids health and ncds youth and women the third international conference on small island developing states sids conference will be held from to september in apia samoa with the overarching theme as the sustainable development of small island developing states through genuine and durable partnerships ,https://sdgs.un.org/topics/health-and-population,sids partnerships,Goal 3: Good Health and Well-Being,3
98
+ 37, read the document pagination next page last last page events see all events jul mon wed expert group meetings for hlpf thematic review the theme of the high level political forum hlpf is advancing sustainable inclusive science and evidence based solutions for the agenda and its sdgs for leaving no one behind ,https://sdgs.un.org/topics/health-and-population,2025 hlpf,Goal 3: Good Health and Well-Being,3
99
+ 38, the hlpf will have an in depth review of sustainable development goals ensure healthy lives and pr feb wed expert group meeting on sdg in preparation for hlpf the high level political forum on sustainable development hlpf will convene from july in new york under the theme advancing sustainable inclusive science and evidence based solutions for the agenda and its sdgs for leaving no one behind,https://sdgs.un.org/topics/health-and-population,hlpf 2025,Goal 3: Good Health and Well-Being,3
100
+ 39, the hlpf will have an in depth rev geneva switzerland jul fri ,https://sdgs.un.org/topics/health-and-population,geneva switzerland,Goal 3: Good Health and Well-Being,3
101
+ 40,geneva switzerland jul fri covid vaccines scientific advances access models and vaccination acceptance virtual event ny time jun thu fri expert group meeting on integrated approaches to implementing sustainable development goal in preparation for the hlpf world health organization who the united nations population fund unfpa the un department of economic and social affairs un desa the united nations children s fund unicef unaids and the un foundation,https://sdgs.un.org/topics/health-and-population,covid 19,Goal 3: Good Health and Well-Being,3
102
+ 41, unhq ny jun thu fri expert group meeting on integrated approaches to implementing sustainable development goal in preparation for the hlpf expert group meeting on integrated approaches to implementing sustainable development goal in preparation for the hlpf world health organization who the united nations population fund unfpa the un department of economic and social affairs un desa the united nations children s fund unicef unaids and the un foundation,https://sdgs.un.org/topics/health-and-population,implementing sustainable,Goal 3: Good Health and Well-Being,3
103
+ 42, apr tue thu special session of the united nations assembly on the world drug problem the un general assembly will hold a special session ungass on drugs in ,https://sdgs.un.org/topics/health-and-population,drugs 2016,Goal 3: Good Health and Well-Being,3
104
+ 43, this special session will be an important milestone in achieving the goals set in the policy document of political declaration and plan of action on international cooperation towards an integrated and balanced strat new york united states aug mon st meeting of the review committee on the role of international health regulations in the ebola response and who s work in emergencies the first meeting of the review committee on the role of the international health regulations ihr in the ebola outbreak and response started on th august with opening remarks from dr margaret chan who director general,https://sdgs.un.org/topics/health-and-population,regulations ebola,Goal 3: Good Health and Well-Being,3
105
+ 44, the main topics under discussion were the effectiveness of ihr in the preven geneva switzerland jun mon ga th session calls for shared responsibility and global solidarity to end the aids epidemic united nations member states welcomed and reflected on the latest hiv report of united nations secretary general ban ki moon entitled future of the aids response building on past achievements and accelerating progress to end the aids epidemic by at the sixty ninth session of the general asse un hq may mon tue world health assembly sixty eighth session the health assembly is the supreme decision making body of who,https://sdgs.un.org/topics/health-and-population,aids response,Goal 3: Good Health and Well-Being,3
106
+ 45, it is attended by delegations from all who member states,https://sdgs.un.org/topics/health-and-population,attended delegations,Goal 3: Good Health and Well-Being,3
107
+ 46, its main functions are to determine the policies of the organization supervise financial policies and review and approve the proposed programme budget,https://sdgs.un.org/topics/health-and-population,financial policies,Goal 3: Good Health and Well-Being,3
108
+ 47, the health assembly is h geneva switzerland apr mon fri pacific health ministers meeting denarau fiji displaying of title type date,https://sdgs.un.org/topics/health-and-population,denarau fiji,Goal 3: Good Health and Well-Being,3
109
+ 48,geneva switzerland apr mon fri pacific health ministers meeting denarau fiji displaying of title type date a rev,https://sdgs.un.org/topics/health-and-population,denarau fiji,Goal 3: Good Health and Well-Being,3
110
+ 49, report of the special rapporteur on adequate housing as a component of the right to an adequate secretary general reports sep a hrc report of the special rapporteur on adequate housing as a component of the right to an adequate standard secretary general reports jan hlfp thematic review of sdg ensure healthy lives and promote well being for all at all ages background notes apr a future of the aids response building on past achievements and accelerating progress to end the aids secretary general reports apr a global health and foreign policy secretary general reports sep unep post note human health and the environment other documents may tst issues brief population dynamics technical support team tst issues briefs jun tst issues brief health and sustainable development technical support team tst issues briefs jun concept note on panel discussion on migration and sustainable development other documents apr flyer on panel discussion on migration and sustainable development other documents apr background paper patterns and trends in migration and sustainable development other documents apr programme for panel discussion on migration and sustainable development logistics apr a conf,https://sdgs.un.org/topics/health-and-population,adequate housing,Goal 3: Good Health and Well-Being,3
111
+ 50, water energy health agriculture and biodiversity synthesis of the framework paper of the partnership dialogues aug e cn,https://sdgs.un.org/topics/health-and-population,agriculture biodiversity,Goal 3: Good Health and Well-Being,3
112
+ 51, pc health and sustainable development secretary general reports mar e cn,https://sdgs.un.org/topics/health-and-population,health sustainable,Goal 3: Good Health and Well-Being,3
113
+ 52, protecting and promoting human health secretary general reports jan pagination next next page last last page displaying of title category date sort ascending republic of korea health population dynamics jun psychology coalition at the united nations pcun co chairs meetings with major groups jun ncd alliance and the international federation of medical students associations co chairs meetings with major groups jun global surgery and anaesthesia organizations co chairs meetings with major groups jun global alliance on health and pollution co chairs meetings with major groups jun international confideration of surgical colleges co chairs meetings with major groups jun major group children youth and women co chairs meetings with major groups jun presentation on major groups recommendations on health dialogue with major groups may ,https://sdgs.un.org/topics/health-and-population,health dialogue,Goal 3: Good Health and Well-Being,3
114
+ 53,major group children youth and women co chairs meetings with major groups jun presentation on major groups recommendations on health dialogue with major groups may major group women dialogue with major groups may egypt health and population dynamics education and life long learning may policy briefing un open working group road traffic injury and the post dialogue with major groups may greece health and population dynamics education and life long learning may brazil and nicaragua health and population dynamics education and life long learning may canada israel and united states of america health and population dynamics education and life long learning may least developed countries ldcs health and population dynamics education and life long learning may pagination next next page last last page milestones january sdg sdg aims at ensuring healthy lives and promoting well being for all at all ages,https://sdgs.un.org/topics/health-and-population,healthy lives,Goal 3: Good Health and Well-Being,3
115
+ 54, its targets focus in particular on the reduction of the global maternal mortality ratio the end of preventable deaths of newborns and children under years of age the end of the epidemics of aids tuberculosis malaria and neglected tropical diseases and combat hepatitis water borne diseases and other communicable diseases as well as the reduction by one third of premature mortality from non communicable diseases through prevention and treatment and promotion of mental health and well being,https://sdgs.un.org/topics/health-and-population,diseases prevention,Goal 3: Good Health and Well-Being,3
116
+ 55, sdg also devotes a particular attention to the need of strengthening prevention and treatment of substance abuse including narcotic drug abuse and harmful use of alcohol and of halving by the number of global deaths and injuries from road traffic accidents,https://sdgs.un.org/topics/health-and-population,sdg,Goal 3: Good Health and Well-Being,3
117
+ 56, other targets identify the need to ensure by universal access to sexual and reproductive health care services including for family planning information and education and the integration of reproductive health into national strategies and programmes as well as achieve universal health coverage including financial risk protection access to quality essential health care services and access to safe effective quality and affordable essential medicines and vaccines for all,https://sdgs.un.org/topics/health-and-population,reproductive health,Goal 3: Good Health and Well-Being,3
118
+ 57, it also focuses on the need to substantially reduce by the number of deaths and illnesses from hazardous chemicals and air water and soil pollution and contamination,https://sdgs.un.org/topics/health-and-population,pollution,Goal 3: Good Health and Well-Being,3
119
+ 58, the alphabetical targets aim to strengthen the implementation of the world health organization framework convention on tobacco control in all countries support the research and development of vaccines and medicines for the communicable and non communicable diseases that primarily affect developing countries provide access to affordable essential medicines and vaccines substantially increase health financing and the recruitment development training and retention of the health workforce in developing countries especially in least developed countries and small island developing states and strengthen the capacity of all countries in particular developing countries for early warning risk reduction and management of national and global health risks,https://sdgs.un.org/topics/health-and-population,tobacco control,Goal 3: Good Health and Well-Being,3
120
+ 59,january every woman every child every woman every child can be described as an unprecedented global movement mobilizing and consolidating international and national action by governments multilateral organizations private sector and civil society to address the major health challenges facing women and children around the world,https://sdgs.un.org/topics/health-and-population,women children,Goal 3: Good Health and Well-Being,3
121
+ 60, the movement puts into action the global strategy for women s and children s health which presents a road map on how to enhance financing strengthen policy and improve service on the ground for the most vulnerable women and children,https://sdgs.un.org/topics/health-and-population,children health,Goal 3: Good Health and Well-Being,3
122
+ 61, the initiative was started by un secretary general ban ki moon on the occasion of the united nations millennium development goals summit in september january jpoi chap,https://sdgs.un.org/topics/health-and-population,united nations,Goal 3: Good Health and Well-Being,3
123
+ 62, in chapter devoted to health and sustainable development the jpoi reprises the rio declaration and the importance it attributes to human beings as the center of concerns for sustainable development,https://sdgs.un.org/topics/health-and-population,development jpoi,Goal 3: Good Health and Well-Being,3
124
+ 63, it also recalls that human beings are entitled to a healthy and productive life in harmony with nature,https://sdgs.un.org/topics/health-and-population,healthy productive,Goal 3: Good Health and Well-Being,3
125
+ 64, the plan recognizes that the goals of sustainable development can only be achieved in the absence of a high prevalence of debilitating diseases while obtaining health gains for the whole population requires poverty eradication,https://sdgs.un.org/topics/health-and-population,goals sustainable,Goal 3: Good Health and Well-Being,3
126
+ 65, chapter also focus on the need to strengthen the capacity of health care systems to deliver basic health services to all in an efficient accessible and affordable manner aimed at preventing controlling and treating diseases and to reduce environmental health threats in conformity with human rights and fundamental freedoms and consistent with national laws and cultural and religious values and taking into account the reports of relevant united nations conferences and summits and of special sessions of the general assembly,https://sdgs.un.org/topics/health-and-population,health services,Goal 3: Good Health and Well-Being,3
127
+ 66, january decade to roll back malaria in developing countries particularly in africa in at the request of togo the item entitled decade to roll back malaria in africa was included in the agenda of the fifty fifth session of the general assembly a and a add,https://sdgs.un.org/topics/health-and-population,roll malaria,Goal 3: Good Health and Well-Being,3
128
+ 67, at the same session the assembly proclaimed with the adoption of resolution as decade to roll back malaria in developing countries particularly in africa ,https://sdgs.un.org/topics/health-and-population,roll malaria,Goal 3: Good Health and Well-Being,3
129
+ 68, january mdg mdg focuses on fighting against hiv aids malaria and other diseases,https://sdgs.un.org/topics/health-and-population,fighting hiv,Goal 3: Good Health and Well-Being,3
130
+ 69, its targets aim to halt by and begin to reverse the spread of hiv aids and malaria as well as to achieve by universal access to treatment for hiv aids for all those who need it,https://sdgs.un.org/topics/health-and-population,aids malaria,Goal 3: Good Health and Well-Being,3
131
+ 70, in its chapter protecting and promoting human health agenda recognizes the intimate interconnection between health and development,https://sdgs.un.org/topics/health-and-population,health agenda,Goal 3: Good Health and Well-Being,3
132
+ 71, the agenda elucidates that both insufficient development leading to poverty and inappropriate development resulting in over consumption coupled with an expanding world population can result in severe environmental health problems in both developing and developed nations,https://sdgs.un.org/topics/health-and-population,environmental health,Goal 3: Good Health and Well-Being,3
133
+ 72, the agenda elucidates that both insufficient development leading to poverty and inappropriate development resulting in over consumption coupled with an expanding world population can result in severe environmental health problems in both developing and developed nations,https://sdgs.un.org/topics/health-and-population,environmental health,Goal 3: Good Health and Well-Being,3
134
+ 73, therefore the agenda identifies as action items those able to address the primary health needs of the world s population,https://sdgs.un.org/topics/health-and-population,agenda,Goal 3: Good Health and Well-Being,3
135
+ 74, the linkage of health environmental and socio economic improvements requires intersectoral efforts involving education housing public works and community groups including businesses schools as well as universities and religious civic and cultural organizations,https://sdgs.un.org/topics/health-and-population,economic improvements,Goal 3: Good Health and Well-Being,3
136
+ 75, january global polio eradication initiative the global polio eradication initiative began in ,https://sdgs.un.org/topics/health-and-population,polio eradication,Goal 3: Good Health and Well-Being,3
137
+ 76, at that time polio was paralyzing more than children on a daily basis at global level,https://sdgs.un.org/topics/health-and-population,polio paralyzing,Goal 3: Good Health and Well-Being,3
138
+ 77, thanks to the cooperation of more than countries and million volunteers backed by an international investment of more than us billion more than ,https://sdgs.un.org/topics/health-and-population,million volunteers,Goal 3: Good Health and Well-Being,3
139
+ 78, billion children have been immunized against polio since,https://sdgs.un.org/topics/health-and-population,children immunized,Goal 3: Good Health and Well-Being,3
140
+ 79, january who s constitution the constitution of the world health organization who was adopted on nd july and entered into force on th april on the first world health day,https://sdgs.un.org/topics/health-and-population,1948 constitution,Goal 3: Good Health and Well-Being,3
141
+ 80, events see all events jul expert group meetings for hlpf thematic review mon wed jul related goals feb expert group meeting on sdg in preparation for hlpf wed wed feb related goals jul covid vaccines scientific advances access models and vaccination acceptance fri fri jul related goals jun expert group meeting on integrated approaches to implementing sustainable development goal in preparation for the hlpf thu fri jun join the conversation footer menu contact copyright fraud alert privacy notice terms of use,https://sdgs.un.org/topics/health-and-population,2020 covid,Goal 3: Good Health and Well-Being,3
src/train_bert/training_data/FeatureSet_4.csv ADDED
@@ -0,0 +1,133 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ ,text_data,source,best_key_word,category,label
2
+ 0,progress towards quality education was already slower than required before the pandemic but covid has had devastating impacts on education causing learning losses in four out of five of the countries studied,https://www.un.org/sustainabledevelopment/education,education slower,Goal 4: Quality Education,4
3
+ 1, without additional measures an estimated million children and young people will stay out of school by and approximately million students will lack the basic numeracy and literacy skills necessary for success in life,https://www.un.org/sustainabledevelopment/education,school 2030,Goal 4: Quality Education,4
4
+ 2, in addition to free primary and secondary schooling for all boys and girls by the aim is to provide equal access to affordable vocational training eliminate gender and wealth disparities and achieve universal access to quality higher education,https://www.un.org/sustainabledevelopment/education,schooling boys,Goal 4: Quality Education,4
5
+ 3, education is the key that will allow many other sustainable development goals sdgs to be achieved,https://www.un.org/sustainabledevelopment/education,sustainable development,Goal 4: Quality Education,4
6
+ 4, when people are able to get quality education they can break from the cycle of poverty,https://www.un.org/sustainabledevelopment/education,poverty,Goal 4: Quality Education,4
7
+ 5, education helps to reduce inequalities and to reach gender equality,https://www.un.org/sustainabledevelopment/education,gender equality,Goal 4: Quality Education,4
8
+ 6, it also empowers people everywhere to live more healthy and sustainable lives,https://www.un.org/sustainabledevelopment/education,empowers people,Goal 4: Quality Education,4
9
+ 7, education is also crucial to fostering tolerance between people and contributes to more peaceful societies,https://www.un.org/sustainabledevelopment/education,fostering tolerance,Goal 4: Quality Education,4
10
+ 8, to deliver on goal education financing must become a national investment priority,https://www.un.org/sustainabledevelopment/education,education financing,Goal 4: Quality Education,4
11
+ 9, furthermore measures such as making education free and compulsory increasing the number of teachers improving basic school infrastructure and embracing digital transformation are essential,https://www.un.org/sustainabledevelopment/education,school infrastructure,Goal 4: Quality Education,4
12
+ 10, what progress have we made so far,https://www.un.org/sustainabledevelopment/education,progress far,Goal 4: Quality Education,4
13
+ 11, while progress has been made towards the education targets set by the united nations continued efforts are required to address persistent challenges and ensure that quality education is accessible to all leaving no one behind,https://www.un.org/sustainabledevelopment/education,2030 education,Goal 4: Quality Education,4
14
+ 12, between and there was an increase in worldwide primary school completion lower secondary completion and upper secondary completion,https://www.un.org/sustainabledevelopment/education,school completion,Goal 4: Quality Education,4
15
+ 13, nevertheless the progress made during this period was notably slower compared to the years prior,https://www.un.org/sustainabledevelopment/education,progress period,Goal 4: Quality Education,4
16
+ 14, according to national education targets the percentage of students attaining basic reading skills by the end of primary school is projected to rise from per cent in to per cent by ,https://www.un.org/sustainabledevelopment/education,percentage students,Goal 4: Quality Education,4
17
+ 15, however an estimated million children and young people will still lack basic numeracy and literacy skills by ,https://www.un.org/sustainabledevelopment/education,numeracy literacy,Goal 4: Quality Education,4
18
+ 16, economic constraints coupled with issues of learning outcomes and dropout rates persist in marginalized areas underscoring the need for continued global commitment to ensuring inclusive and equitable education for all,https://www.un.org/sustainabledevelopment/education,equitable education,Goal 4: Quality Education,4
19
+ 17, low levels of information and communications technology ict skills are also a major barrier to achieving universal and meaningful connectivity,https://www.un.org/sustainabledevelopment/education,ict skills,Goal 4: Quality Education,4
20
+ 18, where are people struggling the most to have access to education,https://www.un.org/sustainabledevelopment/education,access education,Goal 4: Quality Education,4
21
+ 19, sub saharan africa faces the biggest challenges in providing schools with basic resources,https://www.un.org/sustainabledevelopment/education,providing schools,Goal 4: Quality Education,4
22
+ 20, the situation is extreme at the primary and lower secondary levels where less than one half of schools in sub saharan africa have access to drinking water electricity computers and the internet,https://www.un.org/sustainabledevelopment/education,africa access,Goal 4: Quality Education,4
23
+ 21, inequalities will also worsen unless the digital divide the gap between under connected and highly digitalized countries is not addressed,https://www.un.org/sustainabledevelopment/education,digitalized countries,Goal 4: Quality Education,4
24
+ 22, are there groups that have more difficult access to education,https://www.un.org/sustainabledevelopment/education,access education,Goal 4: Quality Education,4
25
+ 23, yes women and girls are one of these groups,https://www.un.org/sustainabledevelopment/education,girls groups,Goal 4: Quality Education,4
26
+ 24, about per cent of countries have not achieved gender parity in primary education,https://www.un.org/sustainabledevelopment/education,gender parity,Goal 4: Quality Education,4
27
+ 25, these disadvantages in education also translate into lack of access to skills and limited opportunities in the labour market for young women,https://www.un.org/sustainabledevelopment/education,disadvantages education,Goal 4: Quality Education,4
28
+ 26, ask our governments to place education as a priority in both policy and practice,https://www.un.org/sustainabledevelopment/education,education priority,Goal 4: Quality Education,4
29
+ 27, lobby our governments to make firm commitments to provide free primary school education to all including vulnerable or marginalized groups,https://www.un.org/sustainabledevelopment/education,lobby governments,Goal 4: Quality Education,4
30
+ 28, facts and figuresgoal targetslinksfacts and figures,https://www.un.org/sustainabledevelopment/education,targetslinksfacts figures,Goal 4: Quality Education,4
31
+ 29,progress towards quality education was already slower than required before the pandemic but covid has had devastating impacts on education causing learning losses in four out of five of the countries studied,https://www.un.org/sustainabledevelopment/education,education slower,Goal 4: Quality Education,4
32
+ 30, without additional measures only one in six countries will achieve the universal secondary school completion target by an estimated million children and young people will still be out of school and approximately million students will lack the basic numeracy and literacy skills necessary for success in life,https://www.un.org/sustainabledevelopment/education,school completion,Goal 4: Quality Education,4
33
+ 31, to achieve national goal benchmarks which are reduced in ambition compared with the original goal targets low and lower middle income countries still face an average annual financing gap of billion,https://www.un.org/sustainabledevelopment/education,financing gap,Goal 4: Quality Education,4
34
+ 32, to deliver on goal education financing must become a national investment priority,https://www.un.org/sustainabledevelopment/education,education financing,Goal 4: Quality Education,4
35
+ 33, furthermore measures such as making education free and compulsory increasing the number of teachers improving basic school infrastructure and embracing digital transformation are essential,https://www.un.org/sustainabledevelopment/education,school infrastructure,Goal 4: Quality Education,4
36
+ 34,source the sustainable development goals report goal targets ,https://www.un.org/sustainabledevelopment/education,sustainable development,Goal 4: Quality Education,4
37
+ 35, by ensure that all girls and boys complete free equitable and quality primary and secondary education leading to relevant and goal effective learning outcomes ,https://www.un.org/sustainabledevelopment/education,learning outcomes,Goal 4: Quality Education,4
38
+ 36, by ensure that all girls and boys have access to quality early childhood development care and preprimary education so that they are ready for primary education ,https://www.un.org/sustainabledevelopment/education,primary education,Goal 4: Quality Education,4
39
+ 37, by ensure equal access for all women and men to affordable and quality technical vocational and tertiary education including university ,https://www.un.org/sustainabledevelopment/education,tertiary education,Goal 4: Quality Education,4
40
+ 38, by substantially increase the number of youth and adults who have relevant skills including technical and vocational skills for employment decent jobs and entrepreneurship ,https://www.un.org/sustainabledevelopment/education,2030 substantially,Goal 4: Quality Education,4
41
+ 39, by eliminate gender disparities in education and ensure equal access to all levels of education and vocational training for the vulnerable including persons with disabilities indigenous peoples and children in vulnerable situations ,https://www.un.org/sustainabledevelopment/education,gender disparities,Goal 4: Quality Education,4
42
+ 40, by ensure that all youth and a substantial proportion of adults both men and women achieve literacy and numeracy ,https://www.un.org/sustainabledevelopment/education,literacy numeracy,Goal 4: Quality Education,4
43
+ 41, by ensure that all learners acquire the knowledge and skills needed to promote sustainable development including among others through education for sustainable development and sustainable lifestyles human rights gender equality promotion of a culture of peace and non violence global citizenship and appreciation of cultural diversity and of culture s contribution to sustainable development ,https://www.un.org/sustainabledevelopment/education,sustainable development,Goal 4: Quality Education,4
44
+ 42,a build and upgrade education facilities that are child disability and gender sensitive and provide safe nonviolent inclusive and effective learning environments for all ,https://www.un.org/sustainabledevelopment/education,education facilities,Goal 4: Quality Education,4
45
+ 43,b by substantially expand globally the number of scholarships available to developing countries in particular least developed countries small island developing states and african countries for enrolment in higher education including vocational training and information and communications technology technical engineering and scientific programmes in developed countries and other developing countries ,https://www.un.org/sustainabledevelopment/education,developing countries,Goal 4: Quality Education,4
46
+ 44,c by substantially increase the supply of qualified teachers including through international cooperation for teacher training in developing countries especially least developed countries and small island developing states links un educational scientific and cultural organization un children s fund un development programme global education first initiative un population fund comprehensive sexuality education un office of the secretary general s envoy on youth fast facts quality education infographic quality education related news education is a human right un summit adviser says urging action to tackle crisis of access learning and relevance gallery education is a human right un summit adviser says urging action to tackle crisis of access learning and relevance masayoshi suga t sep september new york education is a human right those who are excluded must fight for their right leonardo garnier costa rica s former education minister emphasized ahead of a major united nations ,https://www.un.org/sustainabledevelopment/education,global education,Goal 4: Quality Education,4
47
+ 45,showcasing nature based solutions meet the un prize winners gallery showcasing nature based solutions meet the un prize winnersmasayoshi suga t aug new york august the united nations development programme undp and partners have announced the winners of the th equator prize recognizing ten indigenous peoples and local communities from nine countries,https://www.un.org/sustainabledevelopment/education,equator prize,Goal 4: Quality Education,4
48
+ 46, read more un and partners roll out letmelearn campaign ahead of education summit gallery un and partners roll out letmelearn campaign ahead of education summityinuo t aug new york august amid the education crisis exacerbated by the covid pandemic the united nations is partnering with children s charity theirworld to launch the letmelearn campaign urging world leaders to hear the ,https://www.un.org/sustainabledevelopment/education,letmelearn campaign,Goal 4: Quality Education,4
49
+ 47, read more nextload more postsrelated videosdpicampaigns t malala yousafzai un messenger of peace on financing the future education martin t video climate education at cop dpi devsection intern t from the football field to the classrooms of nepal unicefshare this story choose your platform,https://www.un.org/sustainabledevelopment/education,nepal unicefshare,Goal 4: Quality Education,4
50
+ 48, the goals read moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread more sdg resources across the unsustainable development knowledge platform united nations sustainable development group united to reform united nations homepage sdg media zone un newsdroughts are causing record devastation worldwide un backed report revealspakistan reels under monsoon deluge as death toll climbsworld horse day honoring humanity s oldest and most loyal companionoverlooked and underestimated sand and dust storms wreak havoc across borders follow us united nations a z site index contact copyright faq fraud alert privacy notice terms of use page load link go to top,https://www.un.org/sustainabledevelopment/education,united nations,Goal 4: Quality Education,4
51
+ 0,education department of economic and social affairs sorry you need to enable javascript to visit this website,https://sdgs.un.org/topics/education,education department,Goal 4: Quality Education,4
52
+ 1, skip to main content welcome to the united nations englishfran ais espa ol department of economic and social affairs sustainable development main navigation home sdg knowledge sustainable development goals key topics agenda capacity development publications natural resources forum intergovernmental processes high level political forum on sustainable development un conferences and high level events related to sustainable development multi stakeholder forum on science technology and innovation for the sdgs second committee of the un general assembly samoa pathway ecosoc partnership forum hlpf sids th international conference on small island developing states small island developing states multidimensional vulnerability index for sids united nations sids partnerships awards sids partnership framework sdg actions sdg actions platform faq about the submission of voluntary commitments sdg actions engage events webinars member states un system stakeholder engagement news about topics education related sdgs ensure inclusive and equitable quality educat ,https://sdgs.un.org/topics/education,sustainable development,Goal 4: Quality Education,4
53
+ 2, description publications events documents statements milestones description,https://sdgs.un.org/topics/education,description publications,Goal 4: Quality Education,4
54
+ 3,education for all has always been an integral part of the sustainable development agenda,https://sdgs.un.org/topics/education,sustainable development,Goal 4: Quality Education,4
55
+ 4, the world summit on sustainable development wssd in adopted the johannesburg plan of implementation jpoi which in its section x reaffirmed both the millennium development goal in achieving universal primary education by and the goal of the dakar framework for action on education for all to eliminate gender disparity in primary and secondary education by and at all levels of education by ,https://sdgs.un.org/topics/education,sustainable development,Goal 4: Quality Education,4
56
+ 5, the jpoi addressed the need to integrate sustainable development into formal education at all levels as well as through informal and non formal education opportunities,https://sdgs.un.org/topics/education,formal education,Goal 4: Quality Education,4
57
+ 6, there is growing international recognition of education for sustainable development esd as an integral element of quality education and a key enabler for sustainable development,https://sdgs.un.org/topics/education,education sustainable,Goal 4: Quality Education,4
58
+ 7, both the muscat agreement adopted at the global education for all meeting gem in and the proposal for sustainable development goals sdgs developed by the open working group of the un general assembly on sdgs owg include esd in the proposed targets for the post agenda,https://sdgs.un.org/topics/education,muscat agreement,Goal 4: Quality Education,4
59
+ 8, the proposed sustainable development goal reads ensure inclusive and equitable quality education and promote life long learning opportunities for all and includes a set of associated targets,https://sdgs.un.org/topics/education,sustainable development,Goal 4: Quality Education,4
60
+ 9, esd is closely tied into the international discussions on sustainable development which have grown in scale and importance since our common future appeared in providing the first widely used definition of sustainable development as the development that meets the needs of the present without compromising the ability of future generations to meet their own needs,https://sdgs.un.org/topics/education,sustainable development,Goal 4: Quality Education,4
61
+ 10, the crucial role of education in achieving sustainable development was also duly noted at the united nations conference on environment and development held in rio de janeiro in through chapter of its outcome document agenda ,https://sdgs.un.org/topics/education,sustainable development,Goal 4: Quality Education,4
62
+ 11, the importance of promoting education for sustainable development and integrating sustainable development actively into education was also emphasized in paragraph of the future we want the outcome of the united nations conference on sustainable development rio in ,https://sdgs.un.org/topics/education,education sustainable,Goal 4: Quality Education,4
63
+ 12, in unesco launched the united nations decade of education for sustainable development which reaffirmed the key role of education in shaping values that are supportive of sustainable development and in consolidating sustainable societies,https://sdgs.un.org/topics/education,education sustainable,Goal 4: Quality Education,4
64
+ 13, the final report of the un decade of education for sustainable development shaping the future we want was launched at the unesco world conference on education for sustainable development held in november nagoya japan,https://sdgs.un.org/topics/education,education sustainable,Goal 4: Quality Education,4
65
+ 14, in the run up to the united nations conference on sustainable development rio the higher education sustainability initiative hesi was created as a partnership of several sponsor un entities unesco un desa unep global compact and unu aiming at galvanizing commitments from higher education institutions to teach and encourage research on sustainable development greening campuses and support local sustainability efforts,https://sdgs.un.org/topics/education,sustainability initiative,Goal 4: Quality Education,4
66
+ 15, with a membership of almost universities worldwide hesi accounts for more than one third of all the voluntary commitments that came out of the rio conference providing higher education institutions with a unique interface between policy making and academia,https://sdgs.un.org/topics/education,worldwide hesi,Goal 4: Quality Education,4
67
+ 16,higher education sustainability initiative the higher education sustainability initiative hesi provides higher education with an interface between higher education science and policy making by raising the profile of higher education s sector in supporting sustainable development read more hesi partner programme connecting higher education institutions networks and student organizations to create a community of shared learning in support of sdg integration read more publications sdgs learning training and practice edition report the th edition of the sdg learning training and practice was held from july in a virtual format due to the covid pandemic,https://sdgs.un.org/topics/education,sustainability initiative,Goal 4: Quality Education,4
68
+ 17, the edition of the sdg learning training and practice was aimed at advancing knowledge and skills acquisition networking sharing experiences and peer t,https://sdgs.un.org/topics/education,sdg learning,Goal 4: Quality Education,4
69
+ 18, read the document stakeholder engagement and the agenda a practical guide the multi stakeholder nature of the agenda demands an enabling environment for participation by all as well as new ways of working in partnerships to mobilize and share knowledge expertise technology and financial resources at all levels,https://sdgs.un.org/topics/education,stakeholder engagement,Goal 4: Quality Education,4
70
+ 19, this publication adapts the content of an e learning,https://sdgs.un.org/topics/education,content learning,Goal 4: Quality Education,4
71
+ 20, read the document profile booklet key partners of the global action programme on education for sustainable development this booklet contains profiles of the current members also called key partners of the gap partner networks,https://sdgs.un.org/topics/education,partners gap,Goal 4: Quality Education,4
72
+ 21, each key partner is listed in alphabetical order within one of the five partner networks,https://sdgs.un.org/topics/education,partner networks,Goal 4: Quality Education,4
73
+ 22, each profile presents the main objective of their work their gap launch commitment and specific ,https://sdgs.un.org/topics/education,launch commitment,Goal 4: Quality Education,4
74
+ 23, read the document sustainable development begins with education for more than half a century the international community of nations has recognized education as a fundamental human right,https://sdgs.un.org/topics/education,sustainable development,Goal 4: Quality Education,4
75
+ 24, in it agreed to the millennium development goals which acknowledged education as an indispensable means for people to realize their capabilities and prioritized the com,https://sdgs.un.org/topics/education,millennium development,Goal 4: Quality Education,4
76
+ 25, read the document transforming our world the agenda for sustainable development this agenda is a plan of action for people planet and prosperity,https://sdgs.un.org/topics/education,agenda sustainable,Goal 4: Quality Education,4
77
+ 26, it also seeks to strengthen universal peace in larger freedom we recognize that eradicating poverty in all its forms and dimensions including extreme poverty is the greatest global challenge and an indispensable requirement for su,https://sdgs.un.org/topics/education,eradicating poverty,Goal 4: Quality Education,4
78
+ 27, read the document how well are the links between education and other sustainable development goals covered in un flagship reports,https://sdgs.un.org/topics/education,education sustainable,Goal 4: Quality Education,4
79
+ 28, a contribution to the study of the science policy interface on education in the un system the recognition of interdependencies trade offs and synergies among the various goals and their integration into policy design is recognized as critical for going forward towards sustainable development,https://sdgs.un.org/topics/education,science policy,Goal 4: Quality Education,4
80
+ 29, education is relevant to the work of many un organizations even though they address it from ,https://sdgs.un.org/topics/education,education relevant,Goal 4: Quality Education,4
81
+ 30,the dakar framework for action the world education forum april dakar adopted the dakar framework for action education for all meeting our collective commitments,https://sdgs.un.org/topics/education,dakar framework,Goal 4: Quality Education,4
82
+ 31, in doing so its participants reaffirmed the vision of the world declaration on education for all adopted ten years earlier jomtien thailand ,https://sdgs.un.org/topics/education,education adopted,Goal 4: Quality Education,4
83
+ 32, read the document shaping the future we want un decade of education for sustainable development final report the united nations decade of education for sustainable development desd aimed at integrating the principles and practices of sustainable development into all aspects of education and learning to encourage changes in knowledge values and attitudes with the vision of enabling a more su,https://sdgs.un.org/topics/education,education sustainable,Goal 4: Quality Education,4
84
+ 33, read the document unesco roadmap for implementing the global action programme on education for sustainable development rapid sweeping and long lasting change is altering our planet s environment in an unprecedented manner while societies are undergoing profound shifts in their demographic makeup and social and economic fabrics,https://sdgs.un.org/topics/education,education sustainable,Goal 4: Quality Education,4
85
+ 34, political agreements financial incentives or technological solutions alone do not suf,https://sdgs.un.org/topics/education,political agreements,Goal 4: Quality Education,4
86
+ 35, read the document sustainability literacy test report we are certain that the more students we bring into the survey the more impact we will have at the international level,https://sdgs.un.org/topics/education,sustainability literacy,Goal 4: Quality Education,4
87
+ 36, and more importantly the next version of the tool will be even better,https://sdgs.un.org/topics/education,tool better,Goal 4: Quality Education,4
88
+ 37, we are at the beginning of an adventure,https://sdgs.un.org/topics/education,beginning adventure,Goal 4: Quality Education,4
89
+ 38, the volunteers from all over the word who have worked hard to,https://sdgs.un.org/topics/education,200 volunteers,Goal 4: Quality Education,4
90
+ 39, read the document voluntary commitments and partnerships for sustainable development a special edition of the sd in action newsletter voluntary commitments and partnerships for sustainable development are multi stakeholder initiatives voluntarily undertaken by governments intergovernmental organizations major groups and others that aim to contribute to the implementation of intergovernmentally agreed sustainable development goal,https://sdgs.un.org/topics/education,voluntary commitments,Goal 4: Quality Education,4
91
+ 40, read the document education for sustainable development sourcebook the toolkit is an easy to use manual for beginning the process of combining education and sustainability,https://sdgs.un.org/topics/education,education sustainability,Goal 4: Quality Education,4
92
+ 41, read the document pagination next page last last page events see all events jul mon hesi global forum breaking barriers in sustainable development through scientific inclusive and equitable solutions nbsp the high level political forum on sustainable development hlpf will take place from to july under the auspices of ecosoc held under the theme of advancing sustainable inclusive science and evidence based solutions for the agenda for sustainable development and its susta virtual jun mon from frameworks to practice unlocking the potential of sustainability competencies in higher education higher education sustainability initiative hesi is hosting an event including a workshop facilitated by the student action group nbsp hesi sag on the occasion of the times higher education global sustainable development congress in istanbul on june ,https://sdgs.un.org/topics/education,sustainability initiative,Goal 4: Quality Education,4
93
+ 42, nbsp we are delighted to have comple istanbul turkey,https://sdgs.un.org/topics/education,comple istanbul,Goal 4: Quality Education,4
94
+ 43,istanbul turkey may wed hesi networking forum nbsp the higher education sustainability initiative hesi marked a major milestone with the successful launch of its first ever networking forum drawing more than participants from across the globe,https://sdgs.un.org/topics/education,hesi networking,Goal 4: Quality Education,4
95
+ 44, held virtually on may the event featured interactive breakout rooms and provided a virtual jul mon hesi global forum the future of higher education for sustainable development nbsp the higher education sustainability initiative hesi is a partnership between several united nations entities and the higher education community,https://sdgs.un.org/topics/education,hesi global,Goal 4: Quality Education,4
96
+ 45, for the initiative is chaired by the un department of economic and social affairs un university unesco international institute for hig conference room unhq new york jul thu special event on transforming education at hlpf nbsp as we approach the two year anniversary of the transforming education summit tes the secretary general will convene a special event on transforming education on july in collaboration with the president of the general assembly and the president of ecosoc,https://sdgs.un.org/topics/education,transforming education,Goal 4: Quality Education,4
97
+ 46,the special event will seek ecosoc chamber unhq new york jul mon hesi global forum the higher education sustainability initiative hesi is a partnership between several united nations entities and the higher education community currently chaired by the united nations department of economic and social affairs un desa and the sulitest association a non profit organization and united nations headquarters new york jul tue session resilience in a time of crisis transforming energy access climate action learning and strengthening indigenous knowledge to achieve the sdgs resilience in a time of crisis transforming energy access climate action learning and strengthening indigenous knowledge to achieve the sdgs partners transforming energy access learning partnership tea lp university of cape town international association for the advancement of innovative virtual jul wed hesi global forum the hesi global forum held on july as a virtual event placed a particular focus on deepening the understanding of the challenges and opportunities the higher education community can play in building back better from the covid while advancing the full implementation of the agenda jul tue fri sdgs learning training and practice please watch the recordings of all sessions nbsp here,https://sdgs.un.org/topics/education,sustainability initiative,Goal 4: Quality Education,4
98
+ 47, nbsp introduction the united nations high level political forum on sustainable development hlpf in will be held from tuesday july to thursday july and from monday july to friday july under the auspices of the econ hybrid virtual may tue ,https://sdgs.un.org/topics/education,hlpf 2022,Goal 4: Quality Education,4
99
+ 48,hybrid virtual may tue expert group meeting on sdg quality education and its interlinkages with other sdgs in preparation for the review of sdg nbsp and its role in advancing sustainable development across the agenda the division for sustainable development goals of the un department of economic and social affairs un desa dsdg and the united nations educational scientific and cultural organ paris france hybrid displaying of title type date commitment to sustainable practices of higher education institutions on the occasion of the united nations conference additional resources oct flyer higher education sustainability initiative other documents jun highlights lead transform succeed chief sustainability officers for sdgs summaries oct summary hesi summaries aug annual sdg accord report progress towards the global goals in the university and college sector reports jul terms of reference tor higher education sustainability initiative other documents mar report from the sulitest tangible implementation of the hesi reports jul a implementation of education for sustainable development secretary general reports jul higher education sustainability initiative hesi flyer other documents jul message from partners of the higher education sustainability initiative hesi unesco un desa unep un global other documents apr testimonials of the sustainability literacy test other documents mar wittgenstein centre on population education and the sustainable development goals presentations feb a add,https://sdgs.un.org/topics/education,education sustainability,Goal 4: Quality Education,4
100
+ 49, united nations decade of education for sustainable development report of the second committee resolutions and decisions dec a add,https://sdgs.un.org/topics/education,education sustainable,Goal 4: Quality Education,4
101
+ 50, implementation of agenda the programme for the further implementation of agenda and the resolutions and decisions dec a add,https://sdgs.un.org/topics/education,agenda 21,Goal 4: Quality Education,4
102
+ 51, culture and sustainable development report of the second committee resolutions and decisions dec pagination next next page last last page displaying of title category date sort ascending julie newman director of sustainability massachusetts institute of technology mit presentations jul sdg sulitest assessment aure lien decamps associate professor kedge presentations jul derek ouyang stanford university presentations jul ms,https://sdgs.un.org/topics/education,culture sustainable,Goal 4: Quality Education,4
103
+ 52, raina fox partnerships director millennium campus network mcn presentations jul major groups workers and trade unions women children and youth and indigenous people co chairs meetings with major groups jun ,https://sdgs.un.org/topics/education,youth indigenous,Goal 4: Quality Education,4
104
+ 53,major groups workers and trade unions women children and youth and indigenous people co chairs meetings with major groups jun egypt health and population dynamics education and life long learning may joint major group statement dialogue with major groups may greece health and population dynamics education and life long learning may italy spain and turkey health and population dynamics education and life long learning may brazil and nicaragua health and population dynamics education and life long learning may france germany and switzerland health and population dynamics education and life long learning may least developed countries ldcs health and population dynamics education and life long learning may bulgaria and croatia health and population dynamics education and life long learning may ethiopia health and population dynamics education and life long learning may caribbean community caricom health and population dynamics education and life long learning may pagination next next page last last page milestones january sdg the agenda for sustainable development commits to provid e inclusive and equitable quality education at all levels early childhood primary secondary tertiary technical and vocational training,https://sdgs.un.org/topics/education,sustainable development,Goal 4: Quality Education,4
105
+ 54, all people irrespective of sex age race ethnicity and persons with disabilities migrants indigenous peoples children and youth especially those in vulnerable situations should have access to life long learning opportunities that help them acquire the knowledge and skills needed to exploit opportunities and to participate fully in society,https://sdgs.un.org/topics/education,learning opportunities,Goal 4: Quality Education,4
106
+ 55, we will strive to provide children and youth with a nurturing environment for the full realization of their rights and capabilities helping our countries to reap the demographic dividend including through safe schools and cohesive communities and families ,https://sdgs.un.org/topics/education,provide children,Goal 4: Quality Education,4
107
+ 56, sdg aims to ensure inclusive and equitable quality education and promote lifelong learning opportunities for all ,https://sdgs.un.org/topics/education,sdg aims,Goal 4: Quality Education,4
108
+ 57, january hesi partner of gap hesi became in an official partner of gap for priority area transforming learning and training environments ,https://sdgs.un.org/topics/education,gap hesi,Goal 4: Quality Education,4
109
+ 58, through this partnership hesi has aimed at supporting institutions in designing sustainability plans in partnership with the broader community and assisting universities in incorporating sustainability into campus operations governance policy and administration,https://sdgs.un.org/topics/education,sustainability plans,Goal 4: Quality Education,4
110
+ 59, january incheon declaration the incehon declaration was adopted on the occasion of the world education forum wef held in may in incheon republic of korea,https://sdgs.un.org/topics/education,incheon declaration,Goal 4: Quality Education,4
111
+ 60, the declaration aims at promoting education opportunities for all by within a framework to be finalized by november and has supported the core aspects of the education framework for action building on the un led education for all efa framework and goals,https://sdgs.un.org/topics/education,education 2030,Goal 4: Quality Education,4
112
+ 61,january gap as a follow up to the desd ended in the global action programme has been designed as a concrete tangible contribution to the post development and education agendas,https://sdgs.un.org/topics/education,action programme,Goal 4: Quality Education,4
113
+ 62, based on broad consultations and input from a wide range of stakeholders the programme came at a time when the international community was charged with proposing a new set of sustainable development goals that are action oriented global in nature and universally applicable,https://sdgs.un.org/topics/education,stakeholders programme,Goal 4: Quality Education,4
114
+ 63, on esd the unesco world conference on education for sustainable development esd was held in aichi nagoya japan from to november ,https://sdgs.un.org/topics/education,sustainable development,Goal 4: Quality Education,4
115
+ 64, the conference celebrated the results achieved during the un decade of esd identified lessons learnt while setting future action under the global action programme,https://sdgs.un.org/topics/education,global action,Goal 4: Quality Education,4
116
+ 65, january muscat in the muscat agreement the final statement delivered at the global education for all meetings education was included as a target on the top of the global development agenda for the period,https://sdgs.un.org/topics/education,muscat agreement,Goal 4: Quality Education,4
117
+ 66, participants indeed pledged to galvanize international support for the overarching goal to ensure equitable and inclusive quality education and lifelong learning for all by ,https://sdgs.un.org/topics/education,education lifelong,Goal 4: Quality Education,4
118
+ 67, january hesi created in the run up to the rio conference the higher education sustainability initiative hesi is a partnership of un entities unesco un desa unep global compact and unu counting today a membership of almost universities from around the world,https://sdgs.un.org/topics/education,hesi created,Goal 4: Quality Education,4
119
+ 68, hesi also accounts for more than one third of all the voluntary commitments that came out of rio ,https://sdgs.un.org/topics/education,voluntary commitments,Goal 4: Quality Education,4
120
+ 69, january future we want para in the future we want member states reaffirm their commitment to the right to education their engagement to strengthen international cooperation to achieve universal access to primary education particularly for developing countries,https://sdgs.un.org/topics/education,future want,Goal 4: Quality Education,4
121
+ 70, they also reaffirm the importance to achieve full access to quality education at all levels as an essential condition for achieving sustainable development poverty eradication gender equality and women s empowerment as well as human development,https://sdgs.un.org/topics/education,quality education,Goal 4: Quality Education,4
122
+ 71, the future we want also stresses the need for ensuring equal access to education for persons with disabilities indigenous peoples local communities ethnic minorities and people living in rural areas and for providing better quality and access to education beyond the primary level,https://sdgs.un.org/topics/education,access education,Goal 4: Quality Education,4
123
+ 72, january un decade of esd with the adoption of resolution in the un general assembly declared a decade of education for sustainable development desd to take place for the period ,https://sdgs.un.org/topics/education,development desd,Goal 4: Quality Education,4
124
+ 73, the inauguration of the desd represented the beginning of years of improvement and reorientation of education systems towards sustainable development building on earlier commitments to esd in agenda ,https://sdgs.un.org/topics/education,esd agenda,Goal 4: Quality Education,4
125
+ 74, more specifically the desd s vision aims at the integration of principles and practices of sustainable development into all aspects of education and learning encouraging changes in knowledge values and attitudes for enabling a more sustainable and just society for all,https://sdgs.un.org/topics/education,sustainable development,Goal 4: Quality Education,4
126
+ 75,more specifically the desd s vision aims at the integration of principles and practices of sustainable development into all aspects of education and learning encouraging changes in knowledge values and attitudes for enabling a more sustainable and just society for all,https://sdgs.un.org/topics/education,sustainable development,Goal 4: Quality Education,4
127
+ 76, the mandate of the desd has energized a vast number of stakeholders across member states un agencies the education sector the private sector and civil society to work in partnership to reorient education systems towards sustainable development,https://sdgs.un.org/topics/education,mandate desd,Goal 4: Quality Education,4
128
+ 77, january mdg goal aims at achieving universal primary education by and to ensure that,https://sdgs.un.org/topics/education,primary education,Goal 4: Quality Education,4
129
+ 78,a reads children everywhere boys and girls alike will be able to complete a full course of primary schooling ,https://sdgs.un.org/topics/education,primary schooling,Goal 4: Quality Education,4
130
+ 79, pagination page next page next events see all events jul hesi global forum breaking barriers in sustainable development through scientific inclusive and equitable solutions mon mon jul related goals jun from frameworks to practice unlocking the potential of sustainability competencies in higher education mon mon jun related goals may hesi networking forum wed wed may related goals jul hesi global forum the future of higher education for sustainable development mon mon jul related goals news see all news sep now available hesi partner programme ,https://sdgs.un.org/topics/education,2024 hesi,Goal 4: Quality Education,4
131
+ 80,image full height auto join a community of shared learning and support to integrate the sdgs into higher education,https://sdgs.un.org/topics/education,image height,Goal 4: Quality Education,4
132
+ 81, the aim of the nbsp hesi partner nbsp programme nbsp is to connect higher education institutions networks and student organizations to create a comm related goals may the higher education sustainability initiative discusses the transformation of higher education as a result of the covid pandemic new york april the higher education sustainability initiative hesi hosted the first of a series of three webinars organized in the lead up to the hesi global forum which will highlight the role of higher education in building back better from covid and advancing the agenda for related goals oct statement to the education post covid extraordinary session of the global education meeting higher education plays a vital role in educating the current and next generation of leaders driving the research agenda for both the public and private sectors and playing a critical role in shaping the direction of national economies,https://sdgs.un.org/topics/education,education sustainability,Goal 4: Quality Education,4
133
+ 82, the higher education and sustainability initiative hesi is related goals join the conversation footer menu contact copyright fraud alert privacy notice terms of use,https://sdgs.un.org/topics/education,initiative hesi,Goal 4: Quality Education,4
src/train_bert/training_data/FeatureSet_5.csv ADDED
@@ -0,0 +1,151 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ ,text_data,source,best_key_word,category,label
2
+ 0,gender equality is not only a fundamental human right but a necessary foundation for a peaceful prosperous and sustainable world,https://www.un.org/sustainabledevelopment/gender-equality,gender equality,Goal 5: Gender Equality,5
3
+ 1, there has been progress over the last decades but the world is not on track to achieve gender equality by ,https://www.un.org/sustainabledevelopment/gender-equality,achieve gender,Goal 5: Gender Equality,5
4
+ 2, women and girls represent half of the world s population and therefore also half of its potential,https://www.un.org/sustainabledevelopment/gender-equality,girls represent,Goal 5: Gender Equality,5
5
+ 3, but gender inequality persists everywhere and stagnates social progress,https://www.un.org/sustainabledevelopment/gender-equality,gender inequality,Goal 5: Gender Equality,5
6
+ 4, on average women in the labor market still earn percent less than men globally and women spend about three times as many hours in unpaid domestic and care work as men,https://www.un.org/sustainabledevelopment/gender-equality,average women,Goal 5: Gender Equality,5
7
+ 5, sexual violence and exploitation the unequal division of unpaid care and domestic work and discrimination in public office all remain huge barriers,https://www.un.org/sustainabledevelopment/gender-equality,sexual violence,Goal 5: Gender Equality,5
8
+ 6, all these areas of inequality have been exacerbated by the covid pandemic there has been a surge in reports of sexual violence women have taken on more care work due to school closures and of health and social workers globally are women,https://www.un.org/sustainabledevelopment/gender-equality,inequality exacerbated,Goal 5: Gender Equality,5
9
+ 7, at the current rate it will take an estimated years to end child marriage years to close gaps in legal protection and remove discriminatory laws years for women to be represented equally in positions of power and leadership in the workplace and years to achieve equal representation in national parliaments,https://www.un.org/sustainabledevelopment/gender-equality,child marriage,Goal 5: Gender Equality,5
10
+ 8, political leadership investments and comprehensive policy reforms are needed to dismantle systemic barriers to achieving goal gender equality is a cross cutting objective and must be a key focus of national policies budgets and institutions,https://www.un.org/sustainabledevelopment/gender-equality,gender equality,Goal 5: Gender Equality,5
11
+ 9, international commitments to advance gender equality have brought about improvements in some areas child marriage and female genital mutilation fgm have declined in recent years and women s representation in the political arena is higher than ever before,https://www.un.org/sustainabledevelopment/gender-equality,gender equality,Goal 5: Gender Equality,5
12
+ 10, but the promise of a world in which every woman and girl enjoys full gender equality and where all legal social and economic barriers to their empowerment have been removed remains unfulfilled,https://www.un.org/sustainabledevelopment/gender-equality,gender equality,Goal 5: Gender Equality,5
13
+ 11, in fact that goal is probably even more distant than before since women and girls are being hit hard by the covid pandemic,https://www.un.org/sustainabledevelopment/gender-equality,covid 19,Goal 5: Gender Equality,5
14
+ 12, worldwide nearly half of married women lack decision making power over their sexual and reproductive health and rights,https://www.un.org/sustainabledevelopment/gender-equality,women lack,Goal 5: Gender Equality,5
15
+ 13, per cent of women between years of age have experienced physical and or sexual intimate partner violence or non partner sexual violence,https://www.un.org/sustainabledevelopment/gender-equality,sexual violence,Goal 5: Gender Equality,5
16
+ 14, in girls aged have experienced some form of female genital mutilation cutting in the countries in africa and the middle east where the harmful practice is most common with a high risk of prolonged bleeding infection including hiv childbirth complications infertility and death,https://www.un.org/sustainabledevelopment/gender-equality,genital mutilation,Goal 5: Gender Equality,5
17
+ 15, this type of violence doesn t just harm individual women and girls it also undermines their overall quality of life and hinders their active involvement in society,https://www.un.org/sustainabledevelopment/gender-equality,violence doesn,Goal 5: Gender Equality,5
18
+ 16, why should gender equality matter to me,https://www.un.org/sustainabledevelopment/gender-equality,gender equality,Goal 5: Gender Equality,5
19
+ 17, regardless of where you live in gender equality is a fundamental human right,https://www.un.org/sustainabledevelopment/gender-equality,gender equality,Goal 5: Gender Equality,5
20
+ 18, advancing gender equality is critical to all areas of a healthy society from reducing poverty to promoting the health education protection and the well being of girls and boys,https://www.un.org/sustainabledevelopment/gender-equality,gender equality,Goal 5: Gender Equality,5
21
+ 19, if you are a girl you can stay in school help empower your female classmates to do the same and fight for your right to access sexual and reproductive health services,https://www.un.org/sustainabledevelopment/gender-equality,stay school,Goal 5: Gender Equality,5
22
+ 20, if you are a woman you can address unconscious biases and implicit associations that form an unintended and often an invisible barrier to equal opportunity,https://www.un.org/sustainabledevelopment/gender-equality,unconscious biases,Goal 5: Gender Equality,5
23
+ 21, if you are a man or a boy you can work alongside women and girls to achieve gender equality and embrace healthy respectful relationships,https://www.un.org/sustainabledevelopment/gender-equality,gender equality,Goal 5: Gender Equality,5
24
+ 22, you can fund education campaigns to curb cultural practices like female genital mutilation and change harmful laws that limit the rights of women and girls and prevent them from achieving their full potential,https://www.un.org/sustainabledevelopment/gender-equality,genital mutilation,Goal 5: Gender Equality,5
25
+ 23, the spotlight initiative is an eu un partnership and a global multi year initiative focused on eliminating all forms of violence against women and girls the world s largest targeted effort to end all forms of violence against women and girls,https://www.un.org/sustainabledevelopment/gender-equality,spotlight initiative,Goal 5: Gender Equality,5
26
+ 24, facts and figuresgoal targetslinksfacts and figures,https://www.un.org/sustainabledevelopment/gender-equality,targetslinksfacts figures,Goal 5: Gender Equality,5
27
+ 25,with only seven years remaining a mere ,https://www.un.org/sustainabledevelopment/gender-equality,seven years,Goal 5: Gender Equality,5
28
+ 26, per cent of goal indicators with data are on track ,https://www.un.org/sustainabledevelopment/gender-equality,goal indicators,Goal 5: Gender Equality,5
29
+ 27, per cent are at a moderate distance and ,https://www.un.org/sustainabledevelopment/gender-equality,moderate distance,Goal 5: Gender Equality,5
30
+ 28, per cent are far or very far off track from targets,https://www.un.org/sustainabledevelopment/gender-equality,2030 targets,Goal 5: Gender Equality,5
31
+ 29, in many areas progress has been too slow,https://www.un.org/sustainabledevelopment/gender-equality,progress slow,Goal 5: Gender Equality,5
32
+ 30, at the current rate it will take an estimated years to end child marriage years to close gaps in legal protection and remove discriminatory laws years for women to be represented equally in positions of power and leadership in the workplace and years to achieve equal representation in national parliaments,https://www.un.org/sustainabledevelopment/gender-equality,child marriage,Goal 5: Gender Equality,5
33
+ 31, political leadership investments and comprehensive policy reforms are needed to dismantle systemic barriers to achieving goal ,https://www.un.org/sustainabledevelopment/gender-equality,barriers achieving,Goal 5: Gender Equality,5
34
+ 32, gender equality is a cross cutting objective and must be a key focus of national policies budgets and institutions,https://www.un.org/sustainabledevelopment/gender-equality,gender equality,Goal 5: Gender Equality,5
35
+ 33, billion women of working age are not afforded equal economic opportunity,https://www.un.org/sustainabledevelopment/gender-equality,billion women,Goal 5: Gender Equality,5
36
+ 34, billion women globally don t have same economic rights as men countries maintain legal barriers that prevent women s full economic participation,https://www.un.org/sustainabledevelopment/gender-equality,women economic,Goal 5: Gender Equality,5
37
+ 35, billion women globally don t have same economic rights as men in one in five women aged years were married before the age of ,https://www.un.org/sustainabledevelopment/gender-equality,women globally,Goal 5: Gender Equality,5
38
+ 36, girls un special representative of the secretary general on violence against children,https://www.un.org/sustainabledevelopment/gender-equality,violence children,Goal 5: Gender Equality,5
39
+ 37,source the sustainable development goals report goal targets ,https://www.un.org/sustainabledevelopment/gender-equality,sustainable development,Goal 5: Gender Equality,5
40
+ 38, end all forms of discrimination against all women and girls everywhere ,https://www.un.org/sustainabledevelopment/gender-equality,discrimination women,Goal 5: Gender Equality,5
41
+ 39, eliminate all forms of violence against all women and girls in the public and private spheres including trafficking and sexual and other types of exploitation ,https://www.un.org/sustainabledevelopment/gender-equality,including trafficking,Goal 5: Gender Equality,5
42
+ 40, eliminate all harmful practices such as child early and forced marriage and female genital mutilation ,https://www.un.org/sustainabledevelopment/gender-equality,genital mutilation,Goal 5: Gender Equality,5
43
+ 41, recognize and value unpaid care and domestic work through the provision of public services infrastructure and social protection policies and the promotion of shared responsibility within the household and the family as nationally appropriate ,https://www.un.org/sustainabledevelopment/gender-equality,responsibility household,Goal 5: Gender Equality,5
44
+ 42, ensure women s full and effective participation and equal opportunities for leadership at all levels of decisionmaking in political economic and public life ,https://www.un.org/sustainabledevelopment/gender-equality,decisionmaking political,Goal 5: Gender Equality,5
45
+ 43, ensure universal access to sexual and reproductive health and reproductive rights as agreed in accordance with the programme of action of the international conference on population and development and the beijing platform for action and the outcome documents of their review conferences ,https://www.un.org/sustainabledevelopment/gender-equality,reproductive rights,Goal 5: Gender Equality,5
46
+ 44,a undertake reforms to give women equal rights to economic resources as well as access to ownership and control over land and other forms of property financial services inheritance and natural resources in accordance with national laws ,https://www.un.org/sustainabledevelopment/gender-equality,reforms women,Goal 5: Gender Equality,5
47
+ 45,b enhance the use of enabling technology in particular information and communications technology to promote the empowerment of women ,https://www.un.org/sustainabledevelopment/gender-equality,empowerment women,Goal 5: Gender Equality,5
48
+ 46,c adopt and strengthen sound policies and enforceable legislation for the promotion of gender equality and the empowerment of all women and girls at all levels links un women he for she campaign united secretary general campaign unite to end violence against women every woman every child initiative spotlight initiative united nations children s fund unicef un population fund gender equality un population fund female genital mutilation un population fund child marriage un population fund engaging men boys un population fund gender based violence world health organization who un office of the high commissioner for human rights un high commissioner for refugees unhcr un education scientific and cultural organisation unesco un department of economic and social affairs gender statistics fast facts gender equality infographic gender equality the european union eu and the united nations un are embarking on a new global multi year initiative focused on eliminating all forms of violence against women and girls vawg the spotlight initiative,https://www.un.org/sustainabledevelopment/gender-equality,gender equality,Goal 5: Gender Equality,5
49
+ 47, the initiative is so named as it brings focused attention to this issue moving it into the spotlight and placing it at the centre of efforts to achieve gender equality and women s empowerment in line with the agenda for sustainable development,https://www.un.org/sustainabledevelopment/gender-equality,women empowerment,Goal 5: Gender Equality,5
50
+ 48, an initial investment in the order of eur million will be made with the eu as the main contributor,https://www.un.org/sustainabledevelopment/gender-equality,initial investment,Goal 5: Gender Equality,5
51
+ 49, other donors and partners will be invited to join the initiative to broaden its reach and scope,https://www.un.org/sustainabledevelopment/gender-equality,donors partners,Goal 5: Gender Equality,5
52
+ 50, the modality for the delivery will be a un multi stakeholder trust fund administered by the multi partner trust fund office with the support of core agencies undp unfpa and un women and overseen by the executive office of the un secretary general,https://www.un.org/sustainabledevelopment/gender-equality,trust fund,Goal 5: Gender Equality,5
53
+ 51,press release the world is failing girls and women according to new un reportyinuo t sep the world is failing girls and women according to new un report new figure points to the need of an additional billion in investment per year to achieve genderequality and women s empowerment by ,https://www.un.org/sustainabledevelopment/gender-equality,failing girls,Goal 5: Gender Equality,5
54
+ 52, read more liberia mexico niger senegal and sierra leone to tackle barriers to the deployment of women in peace operations with the support of the un elsie initiative fund vesna blazhevska t apr press release april media enquiries media,https://www.un.org/sustainabledevelopment/gender-equality,women peace,Goal 5: Gender Equality,5
55
+ 53,org liberia mexico niger senegal and sierra leone to tackle barriers to the deployment of women in peace operations with the support of the un elsie initiative ,https://www.un.org/sustainabledevelopment/gender-equality,women peace,Goal 5: Gender Equality,5
56
+ 54, read more women s job market participation stagnating at less than for the past years finds un reportvesna blazhevska t oct new york october less than of working age women are in the labour market a figure that has barely changed over the last quarter of a century according to a new un report launched today,https://www.un.org/sustainabledevelopment/gender-equality,women labour,Goal 5: Gender Equality,5
57
+ 55, unpaid domestic and care work falls disproportionately on women restraining their economic potential as the covid pandemic additionally affects women s jobs and livelihoods the report warns,https://www.un.org/sustainabledevelopment/gender-equality,unpaid domestic,Goal 5: Gender Equality,5
58
+ 56,read more nextload more postsrelated videosdpicampaigns t droughts are causing record devastation worldwide un backed report revealsworldwide some of the most widespread and damaging drought events in recorded history have occurred in recent years due to climate change and resource depletion,https://www.un.org/sustainabledevelopment/gender-equality,damaging drought,Goal 5: Gender Equality,5
59
+ 57, read full story on un newsdpicampaigns t you have to be able to rule your life the care revolution in latin americaglobally there are ,https://www.un.org/sustainabledevelopment/gender-equality,care revolution,Goal 5: Gender Equality,5
60
+ 58, billion hours of work that the world never pays for because it barely even sees these duties,https://www.un.org/sustainabledevelopment/gender-equality,world pays,Goal 5: Gender Equality,5
61
+ 59, dpicampaigns t indigenous youth meet trailblazers ahead of nelson mandela daya group of indigenous youth from the united states some as young as seven visited the united nations headquarters in new york this week for the first time,https://www.un.org/sustainabledevelopment/gender-equality,youth meet,Goal 5: Gender Equality,5
62
+ 60,the goals read moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread more sdg resources across the unsustainable development knowledge platform united nations sustainable development group united to reform united nations homepage sdg media zone un newsdroughts are causing record devastation worldwide un backed report revealspakistan reels under monsoon deluge as death toll climbsworld horse day honoring humanity s oldest and most loyal companionoverlooked and underestimated sand and dust storms wreak havoc across borders follow us united nations a z site index contact copyright faq fraud alert privacy notice terms of use page load link go to top,https://www.un.org/sustainabledevelopment/gender-equality,united nations,Goal 5: Gender Equality,5
63
+ 0,gender equality and women s empowerment department of economic and social affairs sorry you need to enable javascript to visit this website,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,gender equality,Goal 5: Gender Equality,5
64
+ 1, skip to main content welcome to the united nations englishfran ais espa ol department of economic and social affairs sustainable development main navigation home sdg knowledge sustainable development goals key topics agenda capacity development publications natural resources forum intergovernmental processes high level political forum on sustainable development un conferences and high level events related to sustainable development multi stakeholder forum on science technology and innovation for the sdgs second committee of the un general assembly samoa pathway ecosoc partnership forum hlpf sids th international conference on small island developing states small island developing states multidimensional vulnerability index for sids united nations sids partnerships awards sids partnership framework sdg actions sdg actions platform faq about the submission of voluntary commitments sdg actions engage events webinars member states un system stakeholder engagement news about topics gender equality and women s empowerment related sdgs achieve gender equality and empower all women ,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,sustainable development,Goal 5: Gender Equality,5
65
+ 2, description publications events documents statements milestones more information description,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,description publications,Goal 5: Gender Equality,5
66
+ 3,engage events webinars member states un system stakeholder engagement news about topics gender equality and women s empowerment related sdgs achieve gender equality and empower all women ,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,women empowerment,Goal 5: Gender Equality,5
67
+ 4, description publications events documents statements milestones more information description since its creation years ago the un has achieved important results in advancing gender equality from the establishment of the commission on the status of women the main global intergovernmental body exclusively dedicated to the promotion of gender equality and the empowerment of women through the adoption of various landmark agreements such as the convention on the elimination of all forms of discrimination against women cedaw and the beijing declaration and platform for action,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,gender equality,Goal 5: Gender Equality,5
68
+ 5, on the occasion of the general debate of the th session of the general assembly held in september united nations secretary general ban ki moon highlighted in his report we the peoples the crucial role of gender equality as driver of development progress recognizing that the potential of women had not been fully realized owing to inter alia persistent social economic and political inequalities,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,gender equality,Goal 5: Gender Equality,5
69
+ 6, gender inequalities are still deep rooted in every society,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,gender inequalities,Goal 5: Gender Equality,5
70
+ 7, women suffer from lack of access to decent work and face occupational segregation and gender wage gaps,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,women suffer,Goal 5: Gender Equality,5
71
+ 8, in many situations they are denied access to basic education and health care and are victims of violence and discrimination,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,violence discrimination,Goal 5: Gender Equality,5
72
+ 9, they are under represented in political and economic decision making processes,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,political economic,Goal 5: Gender Equality,5
73
+ 10, with the aim of better addressing these challenges and to identify a single recognized driver to lead and coordinate un activities on gender equality issues un women was established in ,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,gender equality,Goal 5: Gender Equality,5
74
+ 11, un women works for the elimination of discrimination against women and girls empowerment of women and achievement of equality between women and men as partners and beneficiaries of development human rights humanitarian action and peace and security,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,equality women,Goal 5: Gender Equality,5
75
+ 12, the vital role of women and the need for their full and equal participation and leadership in all areas of sustainable development was reaffirmed in the future we want paragraph as well as in the open working group proposal for sustainable development goals,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,sustainable development,Goal 5: Gender Equality,5
76
+ 13, open working group proposal for sustainable development goals,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,proposal sustainable,Goal 5: Gender Equality,5
77
+ 14, the proposed sustainable development goal addresses this and reads achieve gender equality and empower all women and girls ,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,achieve gender,Goal 5: Gender Equality,5
78
+ 15, publications spotlight on sdg harsh realities marginalized women in cities of the developing world for women and girls urbanization is often associated with greater access to education and employment opportunities lower fertility rates and increased independence,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,girls urbanization,Goal 5: Gender Equality,5
79
+ 16, yet women are often denied the same benefits and opportunities that cities offer to men,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,opportunities cities,Goal 5: Gender Equality,5
80
+ 17,spotlight on sdg the impact of marriage and children on labour market participation this paper is being released in the midst of the covid pandemic,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,marriage children,Goal 5: Gender Equality,5
81
+ 18, in addition to being a health crisis unlike any other in recent history the pandemic is an economic and social crisis,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,pandemic economic,Goal 5: Gender Equality,5
82
+ 19, families and women within them are juggling an increase in unpaid care work as well as losses in income and paid,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,unpaid care,Goal 5: Gender Equality,5
83
+ 20, read the document accelerating the progress towards the localization of sustainable development goals sdgs knowledge management strategy for localizing sdgs at the multi country level focus on sdg on gender equality and empowerment of women and girls this un women esar knowledge management strategy serves to collect disseminate and preserve the region s intellectual output through diverse mechanis,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,knowledge management,Goal 5: Gender Equality,5
84
+ 21, read the document women and sustainable development goals on september the united nations general assembly adopted the agenda for sustainable development as the agreed framework for international development,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,2030 agenda,Goal 5: Gender Equality,5
85
+ 22, it is the successor to the millennium development goals mdgs ,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,goals mdgs,Goal 5: Gender Equality,5
86
+ 23, however unlike the mdgs the agenda presents a much wider scope by del,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,2030 agenda,Goal 5: Gender Equality,5
87
+ 24, read the document against wind and tides a review of the status of women and gender equality in the arab region beijing as the international community marks the twentieth anniversary of the beijing declaration and platform for action an analytical review of both progress and ongoing challenges in the implementation of this agenda for women s empowerment is important and timely,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,women empowerment,Goal 5: Gender Equality,5
88
+ 25, taking stock of efforts that have been,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,stock efforts,Goal 5: Gender Equality,5
89
+ 26, read the document emerging issues for small island developing states the unep foresight process on emerging global environmental issues primarily identified emerging environmental issues and possible solutions on a global scale and perspective,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,emerging issues,Goal 5: Gender Equality,5
90
+ 27, in unep carried out a similar exercise to identify priority emerging environmental issues that are of concern to ,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,environmental issues,Goal 5: Gender Equality,5
91
+ 28, read the document transforming our world the agenda for sustainable development this agenda is a plan of action for people planet and prosperity,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,agenda sustainable,Goal 5: Gender Equality,5
92
+ 29, it also seeks to strengthen universal peace in larger freedom we recognize that eradicating poverty in all its forms and dimensions including extreme poverty is the greatest global challenge and an indispensable requirement for su,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,eradicating poverty,Goal 5: Gender Equality,5
93
+ 30, read the document srh and hiv linkages compendium ensuring universal access to sexual and reproductive health and rights and hiv prevention treatment care and support are essential for development including in the post agenda,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,srh hiv,Goal 5: Gender Equality,5
94
+ 31, however while there are many separate sexual and reproductive health srh related and hiv related indicators a ,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,reproductive health,Goal 5: Gender Equality,5
95
+ 32, read the document demographic perspectives on female genital mutilation fgm has been internationally recognized as an extreme form of violation of the rights health and integrity of women and girls,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,genital mutilation,Goal 5: Gender Equality,5
96
+ 33, in the united nations general assembly adopted the first ever resolution against fgm calling for intensified global efforts to eliminate it,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,resolution fgm,Goal 5: Gender Equality,5
97
+ 34, read the document the world survey on the role of women in development gender equality and sustainable development the immense social economic and environmental consequences of climate change and loss of essential ecosystems are becoming clear,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,women development,Goal 5: Gender Equality,5
98
+ 35, their effects are already being felt in floods droughts and devastated landscapes and livelihoods,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,floods droughts,Goal 5: Gender Equality,5
99
+ 36, among those most affected are women and girls given the precariousn,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,affected women,Goal 5: Gender Equality,5
100
+ 37, read the document hiv and sexual and reproductive health programming innovative approaches to integrated service delivery in light of recent progress towards eliminating paediatric hiv strong momentum for integrating hiv and sexual and reproductive health srh including maternal newborn and child health mnch family planning fp and sexually transmitted infection sti programmes and the recent who guidelines,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,paediatric hiv,Goal 5: Gender Equality,5
101
+ 38, read the document adding it up women need sexual and reproductive health services from adolescence through the end of their reproductive years whether or not they have a birth and those who give birth need essential care to protect their health and ensure their newborns survive,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,reproductive health,Goal 5: Gender Equality,5
102
+ 39, the declines in maternal and infant deaths in dev,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,infant deaths,Goal 5: Gender Equality,5
103
+ 40, read the document pagination next page last last page events see all events jul mon wed expert group meetings for hlpf thematic review the theme of the high level political forum hlpf is advancing sustainable inclusive science and evidence based solutions for the agenda and its sdgs for leaving no one behind ,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,2025 hlpf,Goal 5: Gender Equality,5
104
+ 41, the hlpf will have an in depth review of sustainable development goals ensure healthy lives and pr jan tue wed expert group meeting on sdg in preparation for hlpf the theme of the high level political forum hlpf is advancing sustainable inclusive science and evidence based solutions for the agenda and its sdgs for leaving no one behind ,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,hlpf 2025,Goal 5: Gender Equality,5
105
+ 42, the hlpf will have an in depth review of sustainable development goals ensure healthy lives and pr new york jul fri session gender responsiveness in partnerships for the sdgs consultations tools strategies and approaches to overcome barriers towards gender equality gender responsiveness in partnerships for the sdgs consultations tools strategies and approaches to overcome barriers towards gender equality partners women s major group center for migration gender and justice mediators beyond borders international centre for feminist foreign policy c conference room jul tue fri sdgs learning training and practice please watch the recordings of all sessions nbsp here,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,gender responsiveness,Goal 5: Gender Equality,5
106
+ 43,conference room jul tue fri sdgs learning training and practice please watch the recordings of all sessions nbsp here,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,recordings sessions,Goal 5: Gender Equality,5
107
+ 44, nbsp introduction the united nations high level political forum on sustainable development hlpf in will be held from tuesday july to thursday july and from monday july to friday july under the auspices of the econ hybrid virtual apr wed thu expert group meeting on sdg gender equality and its interlinkages with other sdgs in preparation for the review of sdg and its role in advancing sustainable development across the agenda the division for sustainable development goals of the un department of economic and social affairs un desa dsdg the united nations population fund unfpa and the united nations ent virtual meeting nyc time apr tue expert group meetings on hlpf thematic review nbsp nbsp the theme of the high level political forum on sustainable development hlpf is building back better from the coronavirus disease covid while advancing the full implementation of the agenda for sustainable development ,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,sustainable development,Goal 5: Gender Equality,5
108
+ 45, the hlpf will have an oct thu high level meeting on the twenty fifth anniversary of the fourth world conference on women mar mon beijing csw may wed thu symposium on women and water security for peacebuilding in the arab region the symposium is organized by the united nations department of economic and social affairs un desa in collaboration with the united nations economic and social commission for western asia un escwa and the pacific water research centre of simon frazier university vancouver canada,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,women 2020,Goal 5: Gender Equality,5
109
+ 46, the symposiu beirut lebanon oct tue un women for peace association isis and its impact on women khidher domle a yazidi activist has coordinated rescues of many of these hostages,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,symposiu beirut,Goal 5: Gender Equality,5
110
+ 47, a professor journalist and the head of the communications department at the university of dohuk in kurdistan iraq mr,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,dohuk kurdistan,Goal 5: Gender Equality,5
111
+ 48, domle will testify this week before the u,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,domle testify,Goal 5: Gender Equality,5
112
+ 49, the event will also include an exclus conference room unhq displaying of title type date concept note gender equality in science technology and innovation driving sustainable future march concept notes may brochure on gender science technology and innovation initiatives other documents may iatt gender brochure other documents apr agenda symposium on women and water security for peacebuilding in the arab region programme apr ,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,symposium women,Goal 5: Gender Equality,5
113
+ 50,iatt gender brochure other documents apr agenda symposium on women and water security for peacebuilding in the arab region programme apr list of participants symposium on women and water security for peacebuilding in the arab region other documents apr information note symposium on women and water security for peacebuilding in the arab region other documents mar hlpf thematic paper women other documents jun hlfp thematic review of sdg achieve gender equality and empower all women and girls background notes apr bahrain beijing national report submitted at the th csw english reports mar uruguay beijing national report submitted at the th csw reports mar bahrain beijing national report submitted at the th csw arabic reports mar venezuela beijing national report submitted at the th csw reports mar turkey beijing national report submitted at the th csw reports mar zimbabwe beijing national report submitted at the th csw reports mar uganda beijing national report submitted at the th csw reports mar pagination next next page last last page displaying of title category date sort ascending ms,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,peacebuilding arab,Goal 5: Gender Equality,5
114
+ 51, mervat kamal batarseh head of environmental education section royal society session may mr,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,environmental education,Goal 5: Gender Equality,5
115
+ 52, zafar adeel professor of professional practice pacific water research center session may ms,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,water research,Goal 5: Gender Equality,5
116
+ 53, diala ktaiche wash officer public health promotion united nations children s fund session may ms,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,nations children,Goal 5: Gender Equality,5
117
+ 54, soumaya ibrahim independent consultant on gender and development egypt session may ms,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,soumaya ibrahim,Goal 5: Gender Equality,5
118
+ 55, nedjma koval saifi founding partner and ceo integrated international jordan session may mr,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,nedjma koval,Goal 5: Gender Equality,5
119
+ 56, osman hussein abubaker general director almassar organization sudan session may ms,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,organization sudan,Goal 5: Gender Equality,5
120
+ 57, ghada alamily general director almada group for media culture and arts iraq session may mr,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,ghada alamily,Goal 5: Gender Equality,5
121
+ 58, zafar adeel professor of professional practice pacific water research center simon opening session may mr,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,water research,Goal 5: Gender Equality,5
122
+ 59, fran ois m nger director geneva water hub switzerland session may ,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,geneva water,Goal 5: Gender Equality,5
123
+ 60, experiences of two syrian women wash volunteers in informal settlements in the session may ms,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,wash volunteers,Goal 5: Gender Equality,5
124
+ 61, diala ktaiche wash officer public health promotion united nations children s session may ms,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,nations children,Goal 5: Gender Equality,5
125
+ 62, suheir raies head syria coast society for environment protection syrian arab session may ,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,protection syrian,Goal 5: Gender Equality,5
126
+ 63, suheir raies head syria coast society for environment protection syrian arab session may ms,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,protection syrian,Goal 5: Gender Equality,5
127
+ 64, maria saldarriaga assistant professor and chair department of mathematics and session may ms,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,department mathematics,Goal 5: Gender Equality,5
128
+ 65, karen assaf arab scientific institute for research and transfer of technology state of session may ms,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,arab scientific,Goal 5: Gender Equality,5
129
+ 66, nohal al homsi environmental health officer world health organization who session may pagination next next page last last page milestones january beijing beijing is committed to renew political will and commitment revitalize public debate through social mobilization and awareness raising strengthen evidence based knowledge as well as enhance resources to achieve gender equality and women empowerment,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,2015 beijing,Goal 5: Gender Equality,5
130
+ 67, january sdg goal aims at achieving gender equality and empower all women and girls,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,achieving gender,Goal 5: Gender Equality,5
131
+ 68, its targets include end of all forms of discrimination and violence against women and girls as well as elimination of harmful practices and the recognition and value of unpaid care and domestic work,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,discrimination violence,Goal 5: Gender Equality,5
132
+ 69, other targets stress the importance of ensuring women s full and effective participation and equal opportunities for leadership as well as universal access to sexual and reproductive health and reproductive rights,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,ensuring women,Goal 5: Gender Equality,5
133
+ 70, january un women in the framework of the un reform agenda the un general assembly established un women to accelerate the organization s goals on gender equality and empowerment of women,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,empowerment women,Goal 5: Gender Equality,5
134
+ 71, un women was conceived in order to support inter governmental bodies in the elaboration of policies norms and global standards as well as member states in the implementation of those standards the leading and the coordination of the un system in their work on gender equality,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,gender equality,Goal 5: Gender Equality,5
135
+ 72, january mdg mdg aims at promoting gender equality and empowering women,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,mdg3 aims,Goal 5: Gender Equality,5
136
+ 73,a focuses on the need to eliminate gender disparity in primary and secondary education preferably by and in all levels of education no later than ,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,gender disparity,Goal 5: Gender Equality,5
137
+ 74, january beijing declaration and platform for action the fourth world conference on women produced the beijing declaration and its platform of action unanimously adopted by countries and considered as the most progressive scheme and road map for advancing women s rights,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,beijing declaration,Goal 5: Gender Equality,5
138
+ 75, as a defining framework for change the platform for action made comprehensive commitments under critical areas of concern namely women and poverty education and training of women women and health violence against women women and armed conflict women and the economy women in power and decision making institutional mechanism for the advancement of women human rights of women women and the media women and the environment and the girl child,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,rights women,Goal 5: Gender Equality,5
139
+ 76, the conference represented a crucial milestone in the progress of gender equality and empowerment of women,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,empowerment women,Goal 5: Gender Equality,5
140
+ 77,the conference represented a crucial milestone in the progress of gender equality and empowerment of women,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,empowerment women,Goal 5: Gender Equality,5
141
+ 78, january poa the year programme of action was adopted by countries on the occasion of the international conference on population and development icpd held in cairo in and aimed to provide a new vision of the links between population development and individual well being,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,population development,Goal 5: Gender Equality,5
142
+ 79, the programme recognized the importance of empowerment of women gender equality as well as reproductive health and rights as issues at the core of any population and development programmes,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,empowerment women,Goal 5: Gender Equality,5
143
+ 80, january cedaw often considered as an international bill of rights for women the convention on the elimination of all forms of discrimination against women cedaw was adopted in by the un general assembly,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,1979 cedaw,Goal 5: Gender Equality,5
144
+ 81, it defines what constitutes discrimination against women and sets up an agenda for national action to end such discrimination,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,discrimination women,Goal 5: Gender Equality,5
145
+ 82, according to the convention discrimination against women can be defined as any distinction exclusion or restriction made on the basis of sex which has the effect or purpose of impairing or nullifying the recognition enjoyment or exercise by women irrespective of their marital status on a basis of equality of men and women of human rights and fundamental freedoms in the political economic social cultural civil or any other field ,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,discrimination women,Goal 5: Gender Equality,5
146
+ 83, women s year the first world conference on women was held in mexico city in reuniting governments and designing a world plan of action for the implementation of the objectives of the international women s year providing measures and indications for the advancement of women for the upcoming decade,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,conference women,Goal 5: Gender Equality,5
147
+ 84, furthermore ngos representatives took part to a parallel forum the women s year tribute,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,6000 ngos,Goal 5: Gender Equality,5
148
+ 85, january csw established by the economic and social council with resolution ii adopted on st june the commission was first mandated to prepare recommendations and reports to ecosoc to promote women s rights in political economic social and educational fields as well as make recommendations on urgent matters requiring immediate attention as well as submit proposals to the council regarding its terms of references,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,csw established,Goal 5: Gender Equality,5
149
+ 86, in thanks to ecosoc resolution its mandate was extended recognizing to the commission a leading role in the monitoring and review process of the implementation of the beijing declaration and platform for action,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,beijing declaration,Goal 5: Gender Equality,5
150
+ 87, progress on the sustainable development goals the gender snapshot thematic spotlight where women and girls stand against select sdg targets,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,goals gender,Goal 5: Gender Equality,5
151
+ 88, issue brief making the sdgs count for women and girls with disabilities events see all events jul expert group meetings for hlpf thematic review mon wed jul related goals jan expert group meeting on sdg in preparation for hlpf tue wed jan related goals ,https://sdgs.un.org/topics/gender-equality-and-womens-empowerment,disabilities events,Goal 5: Gender Equality,5
src/train_bert/training_data/FeatureSet_6.csv ADDED
@@ -0,0 +1,168 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ ,text_data,source,best_key_word,category,label
2
+ 0,access to safe water sanitation and hygiene is the most basic human need for health and well being,https://www.un.org/sustainabledevelopment/water-and-sanitation,sanitation,Goal 6: Clean Water and Sanitation,6
3
+ 1, billions of people will lack access to these basic services in unless progress quadruples,https://www.un.org/sustainabledevelopment/water-and-sanitation,services 2030,Goal 6: Clean Water and Sanitation,6
4
+ 2, demand for water is rising owing to rapid population growth urbanization and increasing water needs from agriculture industry and energy sectors,https://www.un.org/sustainabledevelopment/water-and-sanitation,demand water,Goal 6: Clean Water and Sanitation,6
5
+ 3, the demand for water has outpaced population growth and half the world s population is already experiencing severe water scarcity at least one month a year,https://www.un.org/sustainabledevelopment/water-and-sanitation,water scarcity,Goal 6: Clean Water and Sanitation,6
6
+ 4, water scarcity is projected to increase with the rise of global temperatures as a result of climate change,https://www.un.org/sustainabledevelopment/water-and-sanitation,water scarcity,Goal 6: Clean Water and Sanitation,6
7
+ 5, investments in infrastructure and sanitation facilities protection and restoration of water related ecosystems and hygiene education are among the steps necessary to ensure universal access to safe and affordable drinking water for all by and improving water use efficiency is one key to reducing water stress,https://www.un.org/sustainabledevelopment/water-and-sanitation,infrastructure sanitation,Goal 6: Clean Water and Sanitation,6
8
+ 6, between and the proportion of the world s population with access to safely managed drinking water increased from per cent to per cent,https://www.un.org/sustainabledevelopment/water-and-sanitation,drinking water,Goal 6: Clean Water and Sanitation,6
9
+ 7, access to water sanitation and hygiene is a human right,https://www.un.org/sustainabledevelopment/water-and-sanitation,water sanitation,Goal 6: Clean Water and Sanitation,6
10
+ 8, to get back on track key strategies include increasing sector wide investment and capacity building promoting innovation and evidence based action enhancing cross sectoral coordination and cooperation among all stakeholders and adopting a more integrated and holistic approach to water management,https://www.un.org/sustainabledevelopment/water-and-sanitation,water management,Goal 6: Clean Water and Sanitation,6
11
+ 9, water is essential not only to health but also to poverty reduction food security peace and human rights ecosystems and education,https://www.un.org/sustainabledevelopment/water-and-sanitation,water essential,Goal 6: Clean Water and Sanitation,6
12
+ 10, nevertheless countries face growing challenges linked to water scarcity water pollution degraded water related ecosystems and cooperation over transboundary water basins,https://www.un.org/sustainabledevelopment/water-and-sanitation,water scarcity,Goal 6: Clean Water and Sanitation,6
13
+ 11, billion people still lacked safely managed drinking water including million without a basic water service ,https://www.un.org/sustainabledevelopment/water-and-sanitation,drinking water,Goal 6: Clean Water and Sanitation,6
14
+ 12, billion people lacked safely managed sanitation including ,https://www.un.org/sustainabledevelopment/water-and-sanitation,managed sanitation,Goal 6: Clean Water and Sanitation,6
15
+ 13, billion without basic sanitation services and billion lacked a basic handwashing facility including million with no handwashing facility at all,https://www.un.org/sustainabledevelopment/water-and-sanitation,million handwashing,Goal 6: Clean Water and Sanitation,6
16
+ 14, by managing our water sustainably we are also able to better manage our production of food and energy and contribute to decent work and economic growth,https://www.un.org/sustainabledevelopment/water-and-sanitation,managing water,Goal 6: Clean Water and Sanitation,6
17
+ 15, moreover we can preserve our water ecosystems their biodiversity and take action on climate change,https://www.un.org/sustainabledevelopment/water-and-sanitation,water ecosystems,Goal 6: Clean Water and Sanitation,6
18
+ 16, water availability is becoming less predictable in many places,https://www.un.org/sustainabledevelopment/water-and-sanitation,water availability,Goal 6: Clean Water and Sanitation,6
19
+ 17, in some regions droughts are exacerbating water scarcity and thereby negatively impacting people s health and productivity and threatening sustainable development and biodiversity worldwide,https://www.un.org/sustainabledevelopment/water-and-sanitation,droughts exacerbating,Goal 6: Clean Water and Sanitation,6
20
+ 18, ensuring that everyone has access to sustainable water and sanitation services is a critical climate change mitigation strategy for the years ahead,https://www.un.org/sustainabledevelopment/water-and-sanitation,water sanitation,Goal 6: Clean Water and Sanitation,6
21
+ 19, without better infrastructure and management millions of people will continue to die every year from water related diseases such as malaria and diarrhoea and there will be further losses in biodiversity and ecosystem resilience undermining prosperity and efforts towards a more sustainable what can we do,https://www.un.org/sustainabledevelopment/water-and-sanitation,ecosystem resilience,Goal 6: Clean Water and Sanitation,6
22
+ 20, civil society organizations should work to keep governments accountable invest in water research and development and promote the inclusion of women youth and indigenous communities in water resources governance,https://www.un.org/sustainabledevelopment/water-and-sanitation,civil society,Goal 6: Clean Water and Sanitation,6
23
+ 21, generating awareness of these roles and turn ing them into action will lead to win win results and increased sustainability and integrity for both human and ecological systems,https://www.un.org/sustainabledevelopment/water-and-sanitation,sustainability integrity,Goal 6: Clean Water and Sanitation,6
24
+ 22, you can also get involved in the world water day and world toilet day campaigns that aim to provide information and inspiration to take action on hygiene issues,https://www.un.org/sustainabledevelopment/water-and-sanitation,action hygiene,Goal 6: Clean Water and Sanitation,6
25
+ 23, facts and figuresgoal targetslinksfacts and figures,https://www.un.org/sustainabledevelopment/water-and-sanitation,targetslinksfacts figures,Goal 6: Clean Water and Sanitation,6
26
+ 24,despite great progress billions of people still lack access to safe drinking water sanitation and hygiene,https://www.un.org/sustainabledevelopment/water-and-sanitation,water sanitation,Goal 6: Clean Water and Sanitation,6
27
+ 25, achieving universal coverage by will require a substantial increase in current global rates of progress sixfold for drinking water fivefold for sanitation and threefold for hygiene,https://www.un.org/sustainabledevelopment/water-and-sanitation,coverage 2030,Goal 6: Clean Water and Sanitation,6
28
+ 26, water use efficiency has risen by per cent but water stress and water scarcity remain a concern in many parts of the world,https://www.un.org/sustainabledevelopment/water-and-sanitation,water scarcity,Goal 6: Clean Water and Sanitation,6
29
+ 27, billion people lived in water stressed countries,https://www.un.org/sustainabledevelopment/water-and-sanitation,stressed countries,Goal 6: Clean Water and Sanitation,6
30
+ 28, the challenges are compounded by conflicts and climate change,https://www.un.org/sustainabledevelopment/water-and-sanitation,conflicts climate,Goal 6: Clean Water and Sanitation,6
31
+ 29, key strategies to get goal back on track include increasing sector wide investment and capacity building promoting innovation and evidence based action enhancing cross sectoral coordination and cooperation among all stakeholders and adopting a more integrated and holistic approach to water management,https://www.un.org/sustainabledevelopment/water-and-sanitation,water management,Goal 6: Clean Water and Sanitation,6
32
+ 30, per cent of water on earth is useable and available freshwater wake up to the looming water crisis report warns world meteorological organization limiting global warming to ,https://www.un.org/sustainabledevelopment/water-and-sanitation,water crisis,Goal 6: Clean Water and Sanitation,6
33
+ 31, c compared to c would approximately halve the proportion of the world population expected to suffer water scarcity although there is considerable variability between regions,https://www.un.org/sustainabledevelopment/water-and-sanitation,water scarcity,Goal 6: Clean Water and Sanitation,6
34
+ 32, the global urban population facing water scarcity is projected to double from million in to ,https://www.un.org/sustainabledevelopment/water-and-sanitation,water scarcity,Goal 6: Clean Water and Sanitation,6
35
+ 33, imminent risk of a global water crisis warns the un world water development report unesco despite progress ,https://www.un.org/sustainabledevelopment/water-and-sanitation,2023 unesco,Goal 6: Clean Water and Sanitation,6
36
+ 34, billion people still lacked safely managed drinking water services ,https://www.un.org/sustainabledevelopment/water-and-sanitation,water services,Goal 6: Clean Water and Sanitation,6
37
+ 35, billion lacked safely managed sanitation services and ,https://www.un.org/sustainabledevelopment/water-and-sanitation,managed sanitation,Goal 6: Clean Water and Sanitation,6
38
+ 36, billion lacked basic hygiene services in surface water bodies such as lakes rivers and reservoirs are undergoing rapid global changes with one in five river basins showing high fluctuations in surface water levels in the past years water pollution poses a significant challenge to human health and the environment in many countries,https://www.un.org/sustainabledevelopment/water-and-sanitation,water pollution,Goal 6: Clean Water and Sanitation,6
39
+ 37,source the sustainable development goals report goal targets ,https://www.un.org/sustainabledevelopment/water-and-sanitation,sustainable development,Goal 6: Clean Water and Sanitation,6
40
+ 38, by achieve universal and equitable access to safe and affordable drinking water for all ,https://www.un.org/sustainabledevelopment/water-and-sanitation,drinking water,Goal 6: Clean Water and Sanitation,6
41
+ 39, by achieve access to adequate and equitable sanitation and hygiene for all and end open defecation paying special attention to the needs of women and girls and those in vulnerable situations ,https://www.un.org/sustainabledevelopment/water-and-sanitation,sanitation,Goal 6: Clean Water and Sanitation,6
42
+ 40, by improve water quality by reducing pollution eliminating dumping and minimizing release of hazardous chemicals and materials halving the proportion of untreated wastewater and substantially increasing recycling and safe reuse globally ,https://www.un.org/sustainabledevelopment/water-and-sanitation,reducing pollution,Goal 6: Clean Water and Sanitation,6
43
+ 41, by substantially increase water use efficiency across all sectors and ensure sustainable withdrawals and supply of freshwater to address water scarcity and substantially reduce the number of people suffering from water scarcity ,https://www.un.org/sustainabledevelopment/water-and-sanitation,water scarcity,Goal 6: Clean Water and Sanitation,6
44
+ 42, by implement integrated water resources management at all levels including through transboundary cooperation as appropriate ,https://www.un.org/sustainabledevelopment/water-and-sanitation,integrated water,Goal 6: Clean Water and Sanitation,6
45
+ 43, by protect and restore water related ecosystems including mountains forests wetlands rivers aquifers and lakes ,https://www.un.org/sustainabledevelopment/water-and-sanitation,wetlands rivers,Goal 6: Clean Water and Sanitation,6
46
+ 44,a by expand international cooperation and capacity building support to developing countries in water and sanitation related activities and programmes including water harvesting desalination water efficiency wastewater treatment recycling and reuse technologies ,https://www.un.org/sustainabledevelopment/water-and-sanitation,water sanitation,Goal 6: Clean Water and Sanitation,6
47
+ 45,b support and strengthen the participation of local communities in improving water and sanitation management links un water world water assessment programme unesco water undp water and ocean governance un water for life decade un habitat water and sanitation a post global goal for water recommendations from un water water and sustainable development goals information briefs on water and sustainable development un water decade programme on advocacy and communication un water and sanitation best practices platform water action decade fast facts clean water and sanitation infographic clean water and sanitation water action decade per cent shortfall in freshwater resources by coupled with a rising world population has the world careening towards a global water crisis,https://www.un.org/sustainabledevelopment/water-and-sanitation,water sanitation,Goal 6: Clean Water and Sanitation,6
48
+ 46, recognizing the growing challenge of water scarcity the un general assembly launched the water action decade on march to mobilize action that will help transform how we manage water,https://www.un.org/sustainabledevelopment/water-and-sanitation,water scarcity,Goal 6: Clean Water and Sanitation,6
49
+ 47, related news interview turn the tide on water crisis with game changing commitments urge co hosts of un conference gallery interview turn the tide on water crisis with game changing commitments urge co hosts of un conferenceyinuo t mar water is life yet this vital natural resource is being depleted polluted and mismanaged,https://www.un.org/sustainabledevelopment/water-and-sanitation,water crisis,Goal 6: Clean Water and Sanitation,6
50
+ 48, disruption to the hydrological cycle is also causing more water related disasters,https://www.un.org/sustainabledevelopment/water-and-sanitation,disruption hydrological,Goal 6: Clean Water and Sanitation,6
51
+ 49, to tackle the challenges the united nations will convene in ,https://www.un.org/sustainabledevelopment/water-and-sanitation,nations convene,Goal 6: Clean Water and Sanitation,6
52
+ 50,un water conference gallery un water conferenceyinuo t feb in march the world will come together to address the urgent water crisis at the un water conference in new york,https://www.un.org/sustainabledevelopment/water-and-sanitation,water conference,Goal 6: Clean Water and Sanitation,6
53
+ 51, co hosted by the kingdom of the netherlands and the republic of ,https://www.un.org/sustainabledevelopment/water-and-sanitation,kingdom netherlands,Goal 6: Clean Water and Sanitation,6
54
+ 52, ancient tale of hummingbird inspires un world water day campaign gallery ancient tale of hummingbird inspires un world water day campaignyinuo t jan january geneva inspired by an ancient tale of a hummingbird trying to put out a forest fire the united nations has kicked off a world water day campaign that calls on ,https://www.un.org/sustainabledevelopment/water-and-sanitation,tale hummingbird,Goal 6: Clean Water and Sanitation,6
55
+ 53, nextload more postsrelated videosdpicampaigns t cop mariet verhoef cohen on how water connectsmartin t watch how we treat our waste affects our health environment and even our economies mottainai,https://www.un.org/sustainabledevelopment/water-and-sanitation,waste affects,Goal 6: Clean Water and Sanitation,6
56
+ 54, is a japanese term for what a waste,https://www.un.org/sustainabledevelopment/water-and-sanitation,term waste,Goal 6: Clean Water and Sanitation,6
57
+ 55, watch this un environment video to see how living more sustainably saves literally tonnes of waste,https://www.un.org/sustainabledevelopment/water-and-sanitation,living sustainably,Goal 6: Clean Water and Sanitation,6
58
+ 56, martin t in small villages in papua new guinea the un sustainable development goals can make a big differenceshare this story choose your platform,https://www.un.org/sustainabledevelopment/water-and-sanitation,guinea sustainable,Goal 6: Clean Water and Sanitation,6
59
+ 57, the goals read moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread more sdg resources across the unsustainable development knowledge platform united nations sustainable development group united to reform united nations homepage sdg media zone un newsdroughts are causing record devastation worldwide un backed report revealspakistan reels under monsoon deluge as death toll climbsworld horse day honoring humanity s oldest and most loyal companionoverlooked and underestimated sand and dust storms wreak havoc across borders follow us united nations a z site index contact copyright faq fraud alert privacy notice terms of use page load link go to top,https://www.un.org/sustainabledevelopment/water-and-sanitation,united nations,Goal 6: Clean Water and Sanitation,6
60
+ 0,water and sanitation department of economic and social affairs sorry you need to enable javascript to visit this website,https://sdgs.un.org/topics/water-and-sanitation,water sanitation,Goal 6: Clean Water and Sanitation,6
61
+ 1, skip to main content welcome to the united nations englishfran ais espa ol department of economic and social affairs sustainable development main navigation home sdg knowledge sustainable development goals key topics agenda capacity development publications natural resources forum intergovernmental processes high level political forum on sustainable development un conferences and high level events related to sustainable development multi stakeholder forum on science technology and innovation for the sdgs second committee of the un general assembly samoa pathway ecosoc partnership forum hlpf sids th international conference on small island developing states small island developing states multidimensional vulnerability index for sids united nations sids partnerships awards sids partnership framework sdg actions sdg actions platform faq about the submission of voluntary commitments sdg actions engage events webinars member states un system stakeholder engagement news about topics water and sanitation related sdgs ensure availability and sustainable managemen ,https://sdgs.un.org/topics/water-and-sanitation,sustainable development,Goal 6: Clean Water and Sanitation,6
62
+ 2, description publications events documents statements milestones general assembly statements vnrs water decade actions and partnerships sdg special event videos courses more special envoy description,https://sdgs.un.org/topics/water-and-sanitation,events documents,Goal 6: Clean Water and Sanitation,6
63
+ 3,water and sanitation are at the core of sustainable development and the range of services they provide underpin poverty reduction economic growth and environmental sustainability,https://sdgs.un.org/topics/water-and-sanitation,water sanitation,Goal 6: Clean Water and Sanitation,6
64
+ 4, however in recent decades overexploitation pollution and climate change have led to severe water stress in locales across the world,https://sdgs.un.org/topics/water-and-sanitation,water stress,Goal 6: Clean Water and Sanitation,6
65
+ 5, billion people lack access to safely managed drinking water and more than ,https://sdgs.un.org/topics/water-and-sanitation,drinking water,Goal 6: Clean Water and Sanitation,6
66
+ 6, billion people lack safely managed sanitation,https://sdgs.un.org/topics/water-and-sanitation,managed sanitation,Goal 6: Clean Water and Sanitation,6
67
+ 7, climate change is exacerbating the situation with increasing disasters such as floods and droughts,https://sdgs.un.org/topics/water-and-sanitation,floods droughts,Goal 6: Clean Water and Sanitation,6
68
+ 8, per cent of wastewater in the world flows back into the ecosystem without being treated or reused and per cent of the world s natural wetland extent has been lost including a significant loss of freshwater species,https://sdgs.un.org/topics/water-and-sanitation,wastewater world,Goal 6: Clean Water and Sanitation,6
69
+ 9, the covid pandemic poses an additional impediment impairing access for billions of people to safely managed drinking water sanitation and hygiene services services desperately needed to prevent the virus from spreading,https://sdgs.un.org/topics/water-and-sanitation,covid 19,Goal 6: Clean Water and Sanitation,6
70
+ 10, now more than ever the world needs to transform the way it manages its water resources and delivers water and sanitation services for billions of people,https://sdgs.un.org/topics/water-and-sanitation,water sanitation,Goal 6: Clean Water and Sanitation,6
71
+ 11, urgent action is needed to overcome this global crisis as it is affecting all countries around the world socially economically and environmentally,https://sdgs.un.org/topics/water-and-sanitation,global crisis,Goal 6: Clean Water and Sanitation,6
72
+ 12, sustainable development goal sdg on water and sanitation adopted by united nations member states at the un summit as part of the agenda for sustainable development provides the blueprint for ensuring availability and sustainable management of water and sanitation for all,https://sdgs.un.org/topics/water-and-sanitation,water sanitation,Goal 6: Clean Water and Sanitation,6
73
+ 13, as a direct response to the decade of action and delivery for sustainable development called for by heads of state and government at the sdg summit in the un system launched the sdg global acceleration framework in july to step up progress towards the sustainable development goals and put the world on track to realize their targets by ,https://sdgs.un.org/topics/water-and-sanitation,sdg summit,Goal 6: Clean Water and Sanitation,6
74
+ 14, we call upon all stakeholders to galvanize actions around the framework in order to accelerate achievement of the water related goals and targets and overcome the global crisis,https://sdgs.un.org/topics/water-and-sanitation,stakeholders galvanize,Goal 6: Clean Water and Sanitation,6
75
+ 15, background while sdg is the most recent iteration of the united nations aim to address water related issues the topic has long been a concern at the united nations,https://sdgs.un.org/topics/water-and-sanitation,water related,Goal 6: Clean Water and Sanitation,6
76
+ 16, in the mar del plata conference in argentina created an action plan on community water supply declaring that all peoples have the right to access to drinking water in quantities and quality equal to their basic needs,https://sdgs.un.org/topics/water-and-sanitation,community water,Goal 6: Clean Water and Sanitation,6
77
+ 17, the importance of water was further raised by the international drinking water supply and sanitation decade from to and in at the un conference on environment and development in rio de janeiro agenda chapter as well as at the international conference on water and the environment icwe in dublin,https://sdgs.un.org/topics/water-and-sanitation,importance water,Goal 6: Clean Water and Sanitation,6
78
+ 18, in the world water day was designated on march by the un general assembly and in world toilet day on november,https://sdgs.un.org/topics/water-and-sanitation,water day,Goal 6: Clean Water and Sanitation,6
79
+ 19, in the millennium development declaration called for the world to halve by the proportion of people without access to safe drinking water as well as the proportion of people who do not have access to basic sanitation and in the international year of freshwater was declared by the general assembly followed by the water for life decade from to ,https://sdgs.un.org/topics/water-and-sanitation,water life,Goal 6: Clean Water and Sanitation,6
80
+ 20, in order to coordinate the efforts of un entities and international organizations working on water and sanitation issues the chief executives board ceb of the united nations established in un water a un inter agency coordination mechanism for all freshwater and sanitation related issues,https://sdgs.un.org/topics/water-and-sanitation,executives board,Goal 6: Clean Water and Sanitation,6
81
+ 21, in the international year of sanitation was declared and on july the human right to water and sanitation was explicitly recognized by the united nations general assembly through resolution ,https://sdgs.un.org/topics/water-and-sanitation,sanitation declared,Goal 6: Clean Water and Sanitation,6
82
+ 22, in december the united nations general assembly unanimously adopted the resolution international decade for action water for sustainable development in support of the achievement of sdg and other water related targets and on december the resolution on the united nations conference on the midterm comprehensive review of the implementation of the objectives of the international decade for action water for sustainable development the first un conference on water since ,https://sdgs.un.org/topics/water-and-sanitation,water sustainable,Goal 6: Clean Water and Sanitation,6
83
+ 23, water is also at the heart of milestone agreements such as the sendai framework for disaster risk reduction and the paris agreement,https://sdgs.un.org/topics/water-and-sanitation,disaster risk,Goal 6: Clean Water and Sanitation,6
84
+ 24, ensuring availability and sustainable management of water and sanitation for all has therefore been for a long time a topic at the united nations and the priority is now turning the new vision of water related sdgs of the agenda into reality through national leadership and global partnership,https://sdgs.un.org/topics/water-and-sanitation,water sanitation,Goal 6: Clean Water and Sanitation,6
85
+ 25, read the document la trayectoria de unsgab a principios de el entonces secretario general de las naciones unidas kofi annan pidio al ex primer ministro del japo n ryutaro hashimoto que elaborara y llevara a cabo la siguiente idea reunir a un grupo de personalidades eminentes que ofrecieran asesoramiento sobre co mo,https://sdgs.un.org/topics/water-and-sanitation,naciones unidas,Goal 6: Clean Water and Sanitation,6
86
+ 26, read the document the unsgab journey arabic ,https://sdgs.un.org/topics/water-and-sanitation,journey arabic,Goal 6: Clean Water and Sanitation,6
87
+ 27, read the document unsgab der zur ckgelegte weg german zu beginn des jahres bat der damalige vn generalsekret r kofi annan den ehemaligen japanischen ministerpr sidenten ryutaro hashimoto darum den folgenden gedanken zu ende zu denken und umzusetzen eine gruppe namhafter pers nlichkeiten zu bilden die rat dazu erteilen sollten wie sich die gr ,https://sdgs.un.org/topics/water-and-sanitation,rat dazu,Goal 6: Clean Water and Sanitation,6
88
+ 28, read the document a jornada do unsgab portuguese no come o de o ent o secret rio geral das na es unidas kofi annan solicitou que o ex primeiro ministro do jap o ryutaro hashi moto formulasse e executasse a seguinte ideia reunir pessoas com exper tise para o aconselhar a respeito de como resolver os principais proble mas h dricos e de s,https://sdgs.un.org/topics/water-and-sanitation,unsgab portuguese,Goal 6: Clean Water and Sanitation,6
89
+ 29,emerging issues for small island developing states the unep foresight process on emerging global environmental issues primarily identified emerging environmental issues and possible solutions on a global scale and perspective,https://sdgs.un.org/topics/water-and-sanitation,emerging issues,Goal 6: Clean Water and Sanitation,6
90
+ 30, in unep carried out a similar exercise to identify priority emerging environmental issues that are of concern to ,https://sdgs.un.org/topics/water-and-sanitation,environmental issues,Goal 6: Clean Water and Sanitation,6
91
+ 31, read the document the unsgab journey in early the then united nations secretary general kofi annan called on former prime minister ryutaro hashimoto of japan to devise and execute this idea bring together eminent people to advise on how to solve the planet s foremost water and sanitation troubles suggest a handful of attainable,https://sdgs.un.org/topics/water-and-sanitation,kofi annan,Goal 6: Clean Water and Sanitation,6
92
+ 32, read the document transforming our world the agenda for sustainable development this agenda is a plan of action for people planet and prosperity,https://sdgs.un.org/topics/water-and-sanitation,agenda sustainable,Goal 6: Clean Water and Sanitation,6
93
+ 33, it also seeks to strengthen universal peace in larger freedom we recognize that eradicating poverty in all its forms and dimensions including extreme poverty is the greatest global challenge and an indispensable requirement for su,https://sdgs.un.org/topics/water-and-sanitation,eradicating poverty,Goal 6: Clean Water and Sanitation,6
94
+ 34, read the document tackling the challenges of sdg monitoring a roadmap outlining the costs and value of a water sector monitoring system a coalition of technical experts propose to provide analysis that integrates new data instruments technologies standards and approaches with existing systems for the monitoring of goal of the sustainable development goals sdgs ,https://sdgs.un.org/topics/water-and-sanitation,sdg monitoring,Goal 6: Clean Water and Sanitation,6
95
+ 35, this analysis is critical to building an action plan that incorpor,https://sdgs.un.org/topics/water-and-sanitation,action plan,Goal 6: Clean Water and Sanitation,6
96
+ 36, read the document pagination next page last last page events see all events dec wed fri un water conference achieving sustainable development goal sdg on clean water and sanitation is an essential end in itself and is also critical to progress on the agenda as a whole,https://sdgs.un.org/topics/water-and-sanitation,water sanitation,Goal 6: Clean Water and Sanitation,6
97
+ 37, as we enter the final years of the agenda and its sdgs the world must surge investment innovation political will and a jul thu un water conference stakeholder brainstorm july conference room jul wed un water conference multi stakeholder preparatory meeting july afternoon session conference room jul wed un water conference pga preparatory meeting july the preparatory meeting nbsp of the general assembly nbsp was held on july as mandated in a res jul wed thu pga preparatory meeting for the un water conference and related multistakeholder events the preparatory meeting will be a meeting of the general assembly am pm on july as mandated in a res ,https://sdgs.un.org/topics/water-and-sanitation,meeting 2026,Goal 6: Clean Water and Sanitation,6
98
+ 38, related events will include a multistakeholder interactive session pm pm on july for member states un system and other stakeholders and a stakeholder brainstorm am mar tue ,https://sdgs.un.org/topics/water-and-sanitation,stakeholder brainstorm,Goal 6: Clean Water and Sanitation,6
99
+ 39, mar tue multi stakeholder webinar on the un water conference name un water conference multi stakeholder webinar date tue backgroundthe high level united nations water conference to accelerate the implementation of sustainable development goal ensure availability and zoom mar mon organizational session un water conference to begin the preparatory process for the united nations water conference and as mandated in a res an organizational session will be held to make updated recommendations to the general assembly on the themes of the interactive dialogues ,https://sdgs.un.org/topics/water-and-sanitation,water conference,Goal 6: Clean Water and Sanitation,6
100
+ 40,the organizational session will be held on mar may mon side event at sids conference accelerate implementation of sdg in sids how does the un system wide strategy for water and sanitation support sids co organized by the federal ministry for the environment nature conservation nuclear safety and consumer protection bmuv of germany united nations department of economic and social affairs un desa and un water this side event will bring together government representatives civil society grou overflow id room american university of antigua antigua and barbuda oct mon wed high level integrated workshop on un water sdg capacity development initiative in panama new dates tbd water and sanitation are at the core of sustainable development in panama,https://sdgs.un.org/topics/water-and-sanitation,sanitation support,Goal 6: Clean Water and Sanitation,6
101
+ 41, the range of services they provide to the country underpin poverty reduction economic growth and environmental sustainability,https://sdgs.un.org/topics/water-and-sanitation,poverty reduction,Goal 6: Clean Water and Sanitation,6
102
+ 42, however in recent decades over exploitation pollution and climate change have led to severe wa fundaci n ciudad del saber panama city sep sun innovation for industrial sustainability our responsibility and commitment to a green and sustainable future we want on the margins of the sdg summit this side event nbsp co organized by tsinghua university the united nations department of economic and social affairs undesa and un water supported by sustainable business leaders platform aims to lead a continuing discussion on green and innovative busines westin hotel new york displaying of title type date waa mapping and progress report may background documents jun united nations system wide strategy for water and sanitation advance version background documents jun unwc advanced unedited version meeting reports oct inside unhq side events summaries summaries apr outside unhq side events summaries summaries apr virtual side events summaries summaries apr oasis statements apr stichting wetlands international statements mar newave network statements mar vito nv statements mar ,https://sdgs.un.org/topics/water-and-sanitation,green sustainable,Goal 6: Clean Water and Sanitation,6
103
+ 43,oasis statements apr stichting wetlands international statements mar newave network statements mar vito nv statements mar international society for digital earth isde statements mar parlement national de la jeunesse burkinab pour l eau statements mar woman leader statements mar wavin bv statements mar corporaci n privada para el desarrollo de ays n statements mar pagination next next page last last page displaying of title category date sort ascending slovenia on behalf of the transboundary water cooperation coalition member states apr asociaci n programa un mill n de cisternas stakeholders mar international secretariat of water stakeholders mar international desalination association stakeholders mar youth climate movement nl jonge klimaatbeweging stakeholders mar bayer stakeholders mar pawanka fund stakeholders mar president of the general assembly un system and igos mar madhvi ecoethics stakeholders mar international science council isc stakeholders mar un secretary general un system and igos mar un water chair un system and igos mar haiti member states mar tonga member states mar future earth international stakeholders mar pagination next next page last last page milestones june united nations system wide strategy for water and sanitation advance version november new final conference report available november water action agenda online survey circulated,https://sdgs.un.org/topics/water-and-sanitation,wetlands international,Goal 6: Clean Water and Sanitation,6
104
+ 44, we are pleased to announce that the online survey of the commitments registered under the water action agenda platform on the un water conference registry has been circulated to the commitment holders,https://sdgs.un.org/topics/water-and-sanitation,survey commitments,Goal 6: Clean Water and Sanitation,6
105
+ 45, the purpose of the survey is to collect essential information to enhance our understanding of your progress toward implementation and identify challenges,https://sdgs.un.org/topics/water-and-sanitation,survey collect,Goal 6: Clean Water and Sanitation,6
106
+ 46, please kindly complete the survey as soon as possible nbsp by nbsp monday november ,https://sdgs.un.org/topics/water-and-sanitation,survey soon,Goal 6: Clean Water and Sanitation,6
107
+ 47, your answers will be extremely valuable for our analysis of the commitments made within the water action agenda,https://sdgs.un.org/topics/water-and-sanitation,commitments water,Goal 6: Clean Water and Sanitation,6
108
+ 48, if you have not received the survey or are unable to access the survey please check your spam folder and or write to nbsp dsdg un,https://sdgs.un.org/topics/water-and-sanitation,survey unable,Goal 6: Clean Water and Sanitation,6
109
+ 49,org nbsp with water action agenda in the email subject,https://sdgs.un.org/topics/water-and-sanitation,agenda email,Goal 6: Clean Water and Sanitation,6
110
+ 50, july newsletter for water conference july march ,https://sdgs.un.org/topics/water-and-sanitation,2023 water,Goal 6: Clean Water and Sanitation,6
111
+ 51,july newsletter for water conference july march press release historic un conference marks watershed moment to tackle global water crisis and ensure water secure future february final concept papers for interactive dialogues see quot interactive dialogues quot january new co chairs for interactive dialogues january international decade in december the united nations general assembly unanimously adopted the resolution international decade for action water for sustainable development to help put a greater focus on water during ten years,https://sdgs.un.org/topics/water-and-sanitation,2023 water,Goal 6: Clean Water and Sanitation,6
112
+ 52, the decade will commence on world water day march and terminate on world water day march ,https://sdgs.un.org/topics/water-and-sanitation,decade commence,Goal 6: Clean Water and Sanitation,6
113
+ 53, january hlpw united nations secretary general and president of the world bank group convened a high level panel on water hlpw consisting of sitting heads of state and government and one special adviser to provide the leadership required to champion a comprehensive inclusive and collaborative way of developing and managing water resources and improving water and sanitation related services,https://sdgs.un.org/topics/water-and-sanitation,water hlpw,Goal 6: Clean Water and Sanitation,6
114
+ 54, january sdg in the agenda for sustainable development member states reaffirm in paragraph their commitments regarding the human right to safe drinking water and sanitation ,https://sdgs.un.org/topics/water-and-sanitation,water sanitation,Goal 6: Clean Water and Sanitation,6
115
+ 55, sustainable development goal aims to ensure availability and sustainable management of water and sanitation for all ,https://sdgs.un.org/topics/water-and-sanitation,water sanitation,Goal 6: Clean Water and Sanitation,6
116
+ 56, pagination page next page next this is a compilation of sdg references in statements delivered at the general debate of the th session of the united nations general assembly,https://sdgs.un.org/topics/water-and-sanitation,sdg references,Goal 6: Clean Water and Sanitation,6
117
+ 57, the information reflected on this website has been taken directly from the official statements received from member states and does not imply the expression of any opinion whatsoever on the part of the secretariat of the united nations,https://sdgs.un.org/topics/water-and-sanitation,united nations,Goal 6: Clean Water and Sanitation,6
118
+ 58, for those statements not available in english an unofficial translation was prepared,https://sdgs.un.org/topics/water-and-sanitation,translation prepared,Goal 6: Clean Water and Sanitation,6
119
+ 59, for more information on the general assembly process please click here,https://sdgs.un.org/topics/water-and-sanitation,assembly process,Goal 6: Clean Water and Sanitation,6
120
+ 60, countries marked with an asterisk represent member states who have made firm commitments to advancing sdg in their statement at the general debate of the th session of the un general assembly,https://sdgs.un.org/topics/water-and-sanitation,asterisk represent,Goal 6: Clean Water and Sanitation,6
121
+ 61, afghanistanazerbaijan bahamasbangladeshbelgiumbelize beninbotswanacabo verdechile colombiac te d ivoireethiopiafiji guatemalahondurashungary india japankazakhstankyrgyzstanmaldivesmozambiquenamibianaurunepalnigerromaniasamoasan marino senegalsierra leone sloveniasouth africaspainsyrian arab republictajikistan ukraineunited republic of tanzania,https://sdgs.un.org/topics/water-and-sanitation,ivoireethiopiafiji guatemalahondurashungary,Goal 6: Clean Water and Sanitation,6
122
+ 62,this is a compilation of the voluntary national reviews vnrs regarding information reported on sdg ,https://sdgs.un.org/topics/water-and-sanitation,reported sdg,Goal 6: Clean Water and Sanitation,6
123
+ 63, the information reflected on this website has been taken directly from the official vnrs received from member states and does not imply the expression of any opinion whatsoever on the part of the secretariat of the united nations,https://sdgs.un.org/topics/water-and-sanitation,united nations,Goal 6: Clean Water and Sanitation,6
124
+ 64, for those vnrs not available in english an unofficial translation was prepared,https://sdgs.un.org/topics/water-and-sanitation,vnrs available,Goal 6: Clean Water and Sanitation,6
125
+ 65, for more information on the vnr process please click here,https://sdgs.un.org/topics/water-and-sanitation,vnr process,Goal 6: Clean Water and Sanitation,6
126
+ 66, to read the vnr synthesis report please click here,https://sdgs.un.org/topics/water-and-sanitation,vnr synthesis,Goal 6: Clean Water and Sanitation,6
127
+ 67, to read the compilation of main messages for the vnrs please click here,https://sdgs.un.org/topics/water-and-sanitation,2021 vnrs,Goal 6: Clean Water and Sanitation,6
128
+ 68,to read the secretariat background note for the vnrs at the hlpf please click here,https://sdgs.un.org/topics/water-and-sanitation,secretariat background,Goal 6: Clean Water and Sanitation,6
129
+ 69, afghanistan argentina angola antigua barbuda armenia austria azerbaijan bangladesh bhutan bolivia brunei darussalam bulgaria burundi cabo verde chad china colombia comoros cuba cyprus czech republic democratic people s republic of korea democratic republic of the congo denmark dominican republic ecuador egypt estonia finland gambia germany india indonesia japan kenya kyrgyz republic lao people s democratic republic madagascar malaysia marshal islands mexico morocco mozambique namibia nepal nicaragua niger nigeria north macedonia norway panama papua new guinea paraguay peru qatar republic of moldova russian federation san marino spain sweden thailand tunisia uganda ukraine uruguay uzbekistan zambia zimbabwe ,https://sdgs.un.org/topics/water-and-sanitation,2021dominican republic,Goal 6: Clean Water and Sanitation,6
130
+ 70,about the water action decade the united nations has long been addressing the global crisis caused by unsafe water and sanitation and growing demands on the world s water resources to meet human economic and environmental needs,https://sdgs.un.org/topics/water-and-sanitation,water sanitation,Goal 6: Clean Water and Sanitation,6
131
+ 71,in december un member states adopted united nations general assembly resolution on an international decade for action on water for sustainable development ,https://sdgs.un.org/topics/water-and-sanitation,water sustainable,Goal 6: Clean Water and Sanitation,6
132
+ 72,in response to the ambitious agenda the water action decade will accelerate efforts towards meeting water related challenges including limited access to safe water and sanitation increasing pressure on water resources and ecosystems and an exacerbated risk of droughts and floods,https://sdgs.un.org/topics/water-and-sanitation,agenda water,Goal 6: Clean Water and Sanitation,6
133
+ 73,water and sanitation are preconditions to life and we must put a greater focus on these human rights,https://sdgs.un.org/topics/water-and-sanitation,water sanitation,Goal 6: Clean Water and Sanitation,6
134
+ 74, during the decade the international community sets out to advance sustainable developmentenergize existing programmes and projectsinspire action to achieve the agendalearn more at water action decade department of economic and social affairs,https://sdgs.un.org/topics/water-and-sanitation,sustainable developmentenergize,Goal 6: Clean Water and Sanitation,6
135
+ 75,action networks for the sdgs are action oriented networks and communities that are maintained by un system entities or actors that focus on accelerating progress in certain sustainable development thematic areas typically contributing to multiple interlinked sdgs,https://sdgs.un.org/topics/water-and-sanitation,networks sdgs,Goal 6: Clean Water and Sanitation,6
136
+ 76,action networks are useful in mobilizing resources generating momentum and creating awareness spurring tangible results in support of the objectives of the network scaling up existing initiatives or catalyzing new smart commitments and actions,https://sdgs.un.org/topics/water-and-sanitation,action networks,Goal 6: Clean Water and Sanitation,6
137
+ 77, acceleration action updates the following actions were published in july updated july th ,https://sdgs.un.org/topics/water-and-sanitation,acceleration action,Goal 6: Clean Water and Sanitation,6
138
+ 78, city water resilience approach cwra arup stockholm international water institute siwi resilient cities network rcn ,https://sdgs.un.org/topics/water-and-sanitation,water resilience,Goal 6: Clean Water and Sanitation,6
139
+ 79, support action innovation and learning to address source to sea priorities action platform on source to sea management partnership the following actions were published in june ,https://sdgs.un.org/topics/water-and-sanitation,sea management,Goal 6: Clean Water and Sanitation,6
140
+ 80, reimagine wash making services climate resilient to tackle water scarcity unicef stockholm international water institute siwi ,https://sdgs.un.org/topics/water-and-sanitation,water scarcity,Goal 6: Clean Water and Sanitation,6
141
+ 81, water ocean governance thought leadership thematic expertise technical support and policy advocacy promoted and strengthened globally undp siwi water governance facility ,https://sdgs.un.org/topics/water-and-sanitation,water governance,Goal 6: Clean Water and Sanitation,6
142
+ 82, the h o project for youth engagement in rural field actions my h o ,https://sdgs.un.org/topics/water-and-sanitation,youth engagement,Goal 6: Clean Water and Sanitation,6
143
+ 83, scaling up a sustainable solution for safe drinking water fontaines ,https://sdgs.un.org/topics/water-and-sanitation,sustainable solution,Goal 6: Clean Water and Sanitation,6
144
+ 84, prev leak project technologica plumbing solutions the following actions were published in may ,https://sdgs.un.org/topics/water-and-sanitation,leak project,Goal 6: Clean Water and Sanitation,6
145
+ 85, the h o solution for clean drinking water in rural china my h o ,https://sdgs.un.org/topics/water-and-sanitation,china h2o,Goal 6: Clean Water and Sanitation,6
146
+ 86, extend access to drinking water at the bottom of the pyramid using chlorinated solutions in burkina faso bilada the following actions were published in march strategic action programme for the lake chad basin building climate change resilience and reducing ecosystem stress undp ending coastal water scarcity using the sea sun elemental water makersrain water management shree someshwar education trustwaterproject university of southeastern norwaysdg iwrm support programme global water partnershipintegrated environmental management of the r o motagua watershed ministry of foreign relations guatemalatsc water security fund thomas schumann capitalwater resources undpwater energy food safety ecology community health wefsech seanexus bluebioeconomybrightap brightapglobal sustainable supply chains for marine commodities ministries and bureaus of fisheries and planning of costa rica ecuador indonesia and the philippines featured sdg action networksacceleration actionsconscious fashion and lifestyle networksdg good practicesdecent jobs for youthbrowse commitments from all networks here,https://sdgs.un.org/topics/water-and-sanitation,water management,Goal 6: Clean Water and Sanitation,6
147
+ 87,even before covid struck progress on sustainable development goal sdg was alarmingly off track,https://sdgs.un.org/topics/water-and-sanitation,sustainable development,Goal 6: Clean Water and Sanitation,6
148
+ 88, according to the latest un report the current rate of progress on achieving water and sanitation for all will have to quadruple to meet the deadline,https://sdgs.un.org/topics/water-and-sanitation,sanitation quadruple,Goal 6: Clean Water and Sanitation,6
149
+ 89,on friday july a virtual sdg special event will be hosted during the high level political forum on sustainable development ,https://sdgs.un.org/topics/water-and-sanitation,virtual sdg,Goal 6: Clean Water and Sanitation,6
150
+ 90, in line with the theme of the high level political forum on sustainable development the special event will focus on how the sdg global acceleration framework can support a sustainable and resilient recovery from the covid pandemic that promotes the economic social and environmental dimensions of sustainable development and builds an inclusive and effective path for the achievement of the agenda in the context of the decade of action and delivery for sustainable development,https://sdgs.un.org/topics/water-and-sanitation,sustainable development,Goal 6: Clean Water and Sanitation,6
151
+ 91,the sdg global acceleration framework introduces this multi stakeholder high level annual stock taking event to enable stakeholders to keep up momentum on sdg as well as share lessons and best practices,https://sdgs.un.org/topics/water-and-sanitation,sdg share,Goal 6: Clean Water and Sanitation,6
152
+ 92, the sdg special event will review the progress to date and showcase some of the projects that have been developed around the framework,https://sdgs.un.org/topics/water-and-sanitation,sdg special,Goal 6: Clean Water and Sanitation,6
153
+ 93, as a new contribution to the sdg global acceleration framework progress on the sdg capacity development initiative will be introduced by the co coordinators un desa and unesco,https://sdgs.un.org/topics/water-and-sanitation,sdg global,Goal 6: Clean Water and Sanitation,6
154
+ 94,watch the recording of the event here,https://sdgs.un.org/topics/water-and-sanitation,recording event,Goal 6: Clean Water and Sanitation,6
155
+ 95,access the agenda for the special event hosted on july here,https://sdgs.un.org/topics/water-and-sanitation,agenda special,Goal 6: Clean Water and Sanitation,6
156
+ 96,for more information please check the un water website http www,https://sdgs.un.org/topics/water-and-sanitation,water website,Goal 6: Clean Water and Sanitation,6
157
+ 97,org sdg special event during high level political forum on sustainable development un sdg learn is a united nations initiative that aims to bring relevant and curated learning solutions on sustainable development topics to individuals and organizations,https://sdgs.un.org/topics/water-and-sanitation,org sdg,Goal 6: Clean Water and Sanitation,6
158
+ 98,through the collaborative efforts of the united nations multilateral organizations and sustainable development partners from universities civil society academia and the private sector un sdg learn provides a unique gateway that empowers individuals and organizations through an informed decision when selecting among a wealth of sdg related learning products and services that are currently available,https://sdgs.un.org/topics/water-and-sanitation,sdg learn,Goal 6: Clean Water and Sanitation,6
159
+ 99,click here to see all the online courses related to sdg clean water and sanitation,https://sdgs.un.org/topics/water-and-sanitation,water sanitation,Goal 6: Clean Water and Sanitation,6
160
+ 100, high level panel on waterunited nations secretary generals advisory board on water sanitation unsgab please check this page for updates on the work of ms,https://sdgs.un.org/topics/water-and-sanitation,sanitation unsgab,Goal 6: Clean Water and Sanitation,6
161
+ 101, retno marsudi un secretary general s special envoy for water https sdgs,https://sdgs.un.org/topics/water-and-sanitation,envoy water,Goal 6: Clean Water and Sanitation,6
162
+ 102,org topics water specialenvoy events see all events dec un water conference wed fri dec related goals jul un water conference stakeholder brainstorm july thu thu jul related goals ,https://sdgs.un.org/topics/water-and-sanitation,water conference,Goal 6: Clean Water and Sanitation,6
163
+ 103, dec un water conference wed fri dec related goals jul un water conference stakeholder brainstorm july thu thu jul related goals jul un water conference pga preparatory meeting july wed wed jul related goals jul un water conference multi stakeholder preparatory meeting july afternoon session wed wed jul related goals news see all news mar special envoy s message world water day credit un photo mark garten nbsp nbsp water is the bloodline of humanity and glaciers are the icebound heart of the earth,https://sdgs.un.org/topics/water-and-sanitation,2026 water,Goal 6: Clean Water and Sanitation,6
164
+ 104,world water day an opportunity for collective actions,https://sdgs.un.org/topics/water-and-sanitation,water day,Goal 6: Clean Water and Sanitation,6
165
+ 105,for over three decades world water day has been more than just a day of commemoration,https://sdgs.un.org/topics/water-and-sanitation,water day,Goal 6: Clean Water and Sanitation,6
166
+ 106, each year it serves as a p related goals jan special envoy marsudi discusses the global water agenda in un water conference co host uae the un conference on water must be concrete and action oriented so that it produces tangible results in increasing access to water and sanitation across the developing world,https://sdgs.un.org/topics/water-and-sanitation,water agenda,Goal 6: Clean Water and Sanitation,6
167
+ 107, this was the main message of the un secretary general s special envoy on water retno marsudi at her meetings in the u related goals nov un oecd to closely align global work in water and sanitation jakarta november global access to clean water and sanitation is not just a fundamental human right but also key to economic development and development actors need to cooperate closely to deliver on water related goals under the agenda,https://sdgs.un.org/topics/water-and-sanitation,water sanitation,Goal 6: Clean Water and Sanitation,6
168
+ 108, this was the conclusion of a meeting this wee related goals join the conversation footer menu contact copyright fraud alert privacy notice terms of use,https://sdgs.un.org/topics/water-and-sanitation,copyright fraud,Goal 6: Clean Water and Sanitation,6
src/train_bert/training_data/FeatureSet_7.csv ADDED
@@ -0,0 +1,146 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ ,text_data,source,best_key_word,category,label
2
+ 0,goal is about ensuring access to clean and affordable energy which is key to the development of agriculture business communications education healthcare and transportation,https://www.un.org/sustainabledevelopment/energy,affordable energy,Goal 7: Affordable and Clean Energy,7
3
+ 1, the world continues to advance towards sustainable energy targets but not fast enough,https://www.un.org/sustainabledevelopment/energy,sustainable energy,Goal 7: Affordable and Clean Energy,7
4
+ 2, at the current pace about million people will still lack access to electricity and close to billion people will still rely on polluting fuels and technologies for cooking by ,https://www.un.org/sustainabledevelopment/energy,cooking 2030,Goal 7: Affordable and Clean Energy,7
5
+ 3, our everyday life depends on reliable and affordable energy,https://www.un.org/sustainabledevelopment/energy,affordable energy,Goal 7: Affordable and Clean Energy,7
6
+ 4, and yet the consumption of energy is the dominant contributor to climate change accounting for around percent of total global greenhouse gas emissions,https://www.un.org/sustainabledevelopment/energy,contributor climate,Goal 7: Affordable and Clean Energy,7
7
+ 5, from to the proportion of the global population with access to electricity has increased from per cent to per cent,https://www.un.org/sustainabledevelopment/energy,electricity increased,Goal 7: Affordable and Clean Energy,7
8
+ 6, ensuring universal access to affordable electricity by means investing in clean energy sources such as solar wind and thermal,https://www.un.org/sustainabledevelopment/energy,affordable electricity,Goal 7: Affordable and Clean Energy,7
9
+ 7, expanding infrastructure and upgrading technology to provide clean energy in all developing countries is a crucial goal that can both encourage growth and help the environment,https://www.un.org/sustainabledevelopment/energy,expanding infrastructure,Goal 7: Affordable and Clean Energy,7
10
+ 8, why should i care about this goal,https://www.un.org/sustainabledevelopment/energy,care goal,Goal 7: Affordable and Clean Energy,7
11
+ 9, a well established energy system supports all sectors from businesses medicine and education to agriculture infrastructure communications and high technology,https://www.un.org/sustainabledevelopment/energy,energy supports,Goal 7: Affordable and Clean Energy,7
12
+ 10, access to electricity in poorer countries has begun to accelerate energy efficiency continues to improve and renewable energy is making impressive gains,https://www.un.org/sustainabledevelopment/energy,renewable energy,Goal 7: Affordable and Clean Energy,7
13
+ 11, nevertheless more focused attention is needed to improve access to clean and safe cooking fuels and technologies for ,https://www.un.org/sustainabledevelopment/energy,cooking fuels,Goal 7: Affordable and Clean Energy,7
14
+ 12, for many decades fossil fuels such as coal oil or gas have been major sources of electricity production but burning carbon fuels produces large amounts of greenhouse gases which cause climate change and have harmful impacts on people s well being and the environment,https://www.un.org/sustainabledevelopment/energy,carbon fuels,Goal 7: Affordable and Clean Energy,7
15
+ 13, this affects everyone not just a few,https://www.un.org/sustainabledevelopment/energy,affects just,Goal 7: Affordable and Clean Energy,7
16
+ 14, moreover global electricity use is rising rapidly,https://www.un.org/sustainabledevelopment/energy,global electricity,Goal 7: Affordable and Clean Energy,7
17
+ 15, in a nutshell without a stable electricity supply countries will not be able to power their economies,https://www.un.org/sustainabledevelopment/energy,power economies,Goal 7: Affordable and Clean Energy,7
18
+ 16, without electricity women and girls have to spend hours fetching water clinics cannot store vaccines for children many schoolchildren can not do homework at night and people cannot run competitive businesses,https://www.un.org/sustainabledevelopment/energy,electricity women,Goal 7: Affordable and Clean Energy,7
19
+ 17, slow progress towards clean cooking solutions is of grave global concern affecting both human health and the environment and if we don t meet our goal by nearly a third of the world s population mostly women and children will continue tobe exposed to harmful household air pollution,https://www.un.org/sustainabledevelopment/energy,clean cooking,Goal 7: Affordable and Clean Energy,7
20
+ 18, to ensure access to energy for all by we must accelerate electrification increase investments in renewable energy improve energy efficiency and develop enabling policies and regulatory frameworks,https://www.un.org/sustainabledevelopment/energy,renewable energy,Goal 7: Affordable and Clean Energy,7
21
+ 19, what are the consequences to lack of access to energy,https://www.un.org/sustainabledevelopment/energy,access energy,Goal 7: Affordable and Clean Energy,7
22
+ 20, energy services are key to preventing disease and fighting pandemics from powering healthcare facilities and supplying clean water for essential hygiene to enabling water for essential hygiene to enabling communications and it services that connect people while maintaining social distancing,https://www.un.org/sustainabledevelopment/energy,energy services,Goal 7: Affordable and Clean Energy,7
23
+ 21, what can we do to fix these issues,https://www.un.org/sustainabledevelopment/energy,fix issues,Goal 7: Affordable and Clean Energy,7
24
+ 22, countries can accelerate the transition to an affordable reliable and sustainable energy system by investing in renewable energy resources prioritizing energy efficient practices and adopting clean energy technologies and infrastructure,https://www.un.org/sustainabledevelopment/energy,sustainable energy,Goal 7: Affordable and Clean Energy,7
25
+ 23, businesses can maintain and protect eco systems and commit to sourcing of operational electricity needs from renewable sources,https://www.un.org/sustainabledevelopment/energy,renewable sources,Goal 7: Affordable and Clean Energy,7
26
+ 24, employers can reduce the internal demand for transport by prioritizing telecommunications and incentivize less energy intensive modes such as train travel over auto and air travel,https://www.un.org/sustainabledevelopment/energy,prioritizing telecommunications,Goal 7: Affordable and Clean Energy,7
27
+ 25, investors can invest more in sustainable energy services bringing new technologies to the market quickly from a diverse supplier base,https://www.un.org/sustainabledevelopment/energy,invest sustainable,Goal 7: Affordable and Clean Energy,7
28
+ 26, you can save electricity by plugging appliances into a power strip and turning them off completely when not in use including your computer,https://www.un.org/sustainabledevelopment/energy,save electricity,Goal 7: Affordable and Clean Energy,7
29
+ 27, you can also bike walk or take public transport to reduce carbon emissions,https://www.un.org/sustainabledevelopment/energy,carbon emissions,Goal 7: Affordable and Clean Energy,7
30
+ 28, facts and figuresgoal targetslinksfacts and figures,https://www.un.org/sustainabledevelopment/energy,targetslinksfacts figures,Goal 7: Affordable and Clean Energy,7
31
+ 29,the world continues to advance towards sustainable energy targets but not fast enough,https://www.un.org/sustainabledevelopment/energy,sustainable energy,Goal 7: Affordable and Clean Energy,7
32
+ 30, at the current pace about million people will still lack access to electricity and close to billion people will still rely on polluting fuels and technologies for cooking by ,https://www.un.org/sustainabledevelopment/energy,cooking 2030,Goal 7: Affordable and Clean Energy,7
33
+ 31, renewable sources power nearly per cent of energy consumption in the electricity sector but challenges remain in heating and transport sectors,https://www.un.org/sustainabledevelopment/energy,renewable sources,Goal 7: Affordable and Clean Energy,7
34
+ 32, per cent annual growth in renewable energy installation but despite enormous needs international financial flows for clean energy continue to decline,https://www.un.org/sustainabledevelopment/energy,growth renewable,Goal 7: Affordable and Clean Energy,7
35
+ 33, to ensure access to energy for all by we must accelerate electrification increase investments in renewable energy improve energy efficiency and develop enabling policies and regulatory frameworks,https://www.un.org/sustainabledevelopment/energy,renewable energy,Goal 7: Affordable and Clean Energy,7
36
+ 34, million people don t have access to electricity,https://www.un.org/sustainabledevelopment/energy,access electricity,Goal 7: Affordable and Clean Energy,7
37
+ 35, that s about one in ten people worldwide,https://www.un.org/sustainabledevelopment/energy,people worldwide,Goal 7: Affordable and Clean Energy,7
38
+ 36, energy access united nations development programme access to electricity went from in to in ,https://www.un.org/sustainabledevelopment/energy,energy access,Goal 7: Affordable and Clean Energy,7
39
+ 37,access to electricity united nations development programme it s estimated that between us billion and billion are needed annually to reach universal electricity access between and to reach universal access to electricity,https://www.un.org/sustainabledevelopment/energy,electricity access,Goal 7: Affordable and Clean Energy,7
40
+ 38, access to electricity united nations development programme the global electricity access has risen from in to in but million people primarily in ldcs and sub saharan africa remain without access,https://www.un.org/sustainabledevelopment/energy,electricity access,Goal 7: Affordable and Clean Energy,7
41
+ 39, while progress has been made in improving access to electricity and clean cooking fuels globally million people remain unconnected to grids and ,https://www.un.org/sustainabledevelopment/energy,unconnected grids,Goal 7: Affordable and Clean Energy,7
42
+ 40, billion continue to rely on unsafe and polluting fuels for cooking,https://www.un.org/sustainabledevelopment/energy,fuels cooking,Goal 7: Affordable and Clean Energy,7
43
+ 41, renewable sources power nearly of energy consumption in the electricity sector but challenges remain in heating and transport sectors,https://www.un.org/sustainabledevelopment/energy,renewable sources,Goal 7: Affordable and Clean Energy,7
44
+ 42, in of the global population had access to clean cooking fuels and technologies up from in ,https://www.un.org/sustainabledevelopment/energy,cooking fuels,Goal 7: Affordable and Clean Energy,7
45
+ 43, the region with the lowest access rates was sub saharan africa where progress towards clean cooking has failed to keep pace with growing populations leaving a total of ,https://www.un.org/sustainabledevelopment/energy,africa progress,Goal 7: Affordable and Clean Energy,7
46
+ 44, billion people without access in ,https://www.un.org/sustainabledevelopment/energy,billion people,Goal 7: Affordable and Clean Energy,7
47
+ 45,source the sustainable development goals report goal targets ,https://www.un.org/sustainabledevelopment/energy,sustainable development,Goal 7: Affordable and Clean Energy,7
48
+ 46, by ensure universal access to affordable reliable and modern energy services ,https://www.un.org/sustainabledevelopment/energy,energy services,Goal 7: Affordable and Clean Energy,7
49
+ 47, by increase substantially the share of renewable energy in the global energy mix ,https://www.un.org/sustainabledevelopment/energy,renewable energy,Goal 7: Affordable and Clean Energy,7
50
+ 48, by double the global rate of improvement in energy efficiency ,https://www.un.org/sustainabledevelopment/energy,energy efficiency,Goal 7: Affordable and Clean Energy,7
51
+ 49,a by enhance international cooperation to facilitate access to clean energy research and technology including renewable energy energy efficiency and advanced and cleaner fossil fuel technology and promote investment in energy infrastructure and clean energy technology ,https://www.un.org/sustainabledevelopment/energy,renewable energy,Goal 7: Affordable and Clean Energy,7
52
+ 50,b by expand infrastructure and upgrade technology for supplying modern and sustainable energy services for all in developing countries in particular least developed countries small island developing states and land locked developing countries in accordance with their respective programmes of support links sustainable energy for all initiative undp environment and energy unido energy and climate change international energy agency international renewable energy agency un energy fast facts affordable and clean energy infographic affordable and clean energy related news achieving targets on energy helps meet other global goals un forum told gallery achieving targets on energy helps meet other global goals un forum toldmartin t jul energy is central to nearly every major challenge and opportunity the world faces today including poverty eradication gender equality adaptation to climate change food security health education sustainable cities jobs and transport speakers told a ,https://www.un.org/sustainabledevelopment/energy,sustainable energy,Goal 7: Affordable and Clean Energy,7
53
+ 51, read more chanouf farm biofire gallery chanouf farm biofiremartin t jul by sufian rajab assabah tunisia in light of increasingly scarce energy resources and a general shift toward eco friendly energies one farm in tunisia saw an opportunity to diversify its activities,https://www.un.org/sustainabledevelopment/energy,farm tunisia,Goal 7: Affordable and Clean Energy,7
54
+ 52, read more rainergy gallery rainergymartin t jul by amina nazarli azernews azerbaijan she is just years old but has already designed a smart device that generates electric power from raindrops,https://www.un.org/sustainabledevelopment/energy,power raindrops,Goal 7: Affordable and Clean Energy,7
55
+ 53, reyhan jamalova a ninth grade student at the istak lyceum in baku azerbaijan ,https://www.un.org/sustainabledevelopment/energy,baku azerbaijan,Goal 7: Affordable and Clean Energy,7
56
+ 54, nextload more postsrelated videosmartin t a bio based reuse economy can feed the world and save the planet un agency transforming pineapple skins into product packaging or using potato peels for fuel may sound far fetched but such innovations are gaining traction as it becomes clear that an economy based on cultivation and use of ,https://www.un.org/sustainabledevelopment/energy,reuse economy,Goal 7: Affordable and Clean Energy,7
57
+ 55, dpicampaigns t sdglive at wef lighting africa a conversation with akon on energy accessdpicampaigns t powering the future we wantshare this story choose your platform,https://www.un.org/sustainabledevelopment/energy,lighting africa,Goal 7: Affordable and Clean Energy,7
58
+ 56, the goals read moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread more sdg resources across the unsustainable development knowledge platform united nations sustainable development group united to reform united nations homepage sdg media zone un newsdroughts are causing record devastation worldwide un backed report revealspakistan reels under monsoon deluge as death toll climbsworld horse day honoring humanity s oldest and most loyal companionoverlooked and underestimated sand and dust storms wreak havoc across borders follow us united nations a z site index contact copyright faq fraud alert privacy notice terms of use page load link go to top,https://www.un.org/sustainabledevelopment/energy,united nations,Goal 7: Affordable and Clean Energy,7
59
+ 0,energy department of economic and social affairs sorry you need to enable javascript to visit this website,https://sdgs.un.org/topics/energy,energy department,Goal 7: Affordable and Clean Energy,7
60
+ 1, skip to main content welcome to the united nations englishfran ais espa ol department of economic and social affairs sustainable development main navigation home sdg knowledge sustainable development goals key topics agenda capacity development publications natural resources forum intergovernmental processes high level political forum on sustainable development un conferences and high level events related to sustainable development multi stakeholder forum on science technology and innovation for the sdgs second committee of the un general assembly samoa pathway ecosoc partnership forum hlpf sids th international conference on small island developing states small island developing states multidimensional vulnerability index for sids united nations sids partnerships awards sids partnership framework sdg actions sdg actions platform faq about the submission of voluntary commitments sdg actions engage events webinars member states un system stakeholder engagement news about topics energy related sdgs ensure access to affordable reliable sustai ,https://sdgs.un.org/topics/energy,sustainable development,Goal 7: Affordable and Clean Energy,7
61
+ 2, description publications events documents statements milestones description in the un general assembly adopted the agenda for sustainable development which include a dedicated and stand alone goal on energy sdg calling to ensure access to affordable reliable sustainable and modern energy for all ,https://sdgs.un.org/topics/energy,agenda sustainable,Goal 7: Affordable and Clean Energy,7
62
+ 3, energy lies at the heart of both the agenda for sustainable development and the paris agreement on climate change,https://sdgs.un.org/topics/energy,agenda sustainable,Goal 7: Affordable and Clean Energy,7
63
+ 4, achieving sdg will open a new world of opportunities for millions of people through new economic opportunities and jobs empowered women children and youth better education and health more sustainable equitable and inclusive communities and greater protections from and resilience to climate change,https://sdgs.un.org/topics/energy,achieving sdg7,Goal 7: Affordable and Clean Energy,7
64
+ 5, the global roadmap for accelerated sdg action resulting from the high level dialogue on energy provides a guide for collective action on energy across sectors,https://sdgs.un.org/topics/energy,energy 2021,Goal 7: Affordable and Clean Energy,7
65
+ 6, desa supports these efforts by providing secretariat services for intergovernmental discussions on energy by conducting and facilitating relevant policy analysis and by engaging in the required capacity building,https://sdgs.un.org/topics/energy,desa supports,Goal 7: Affordable and Clean Energy,7
66
+ 7, desa serves as the secretariat for un energy,https://sdgs.un.org/topics/energy,secretariat energy,Goal 7: Affordable and Clean Energy,7
67
+ 8, desa convenes the sdg technical advisory group,https://sdgs.un.org/topics/energy,convenes sdg7,Goal 7: Affordable and Clean Energy,7
68
+ 9, as the secretariat of un energy desa facilitates the energy compacts,https://sdgs.un.org/topics/energy,energy desa,Goal 7: Affordable and Clean Energy,7
69
+ 10, publications sdg policy briefs decisive action on sustainable energy can catalyse progress towards all the other sdgs as well as global climate protection targets,https://sdgs.un.org/topics/energy,sustainable energy,Goal 7: Affordable and Clean Energy,7
70
+ 11, energy is essential to all other sdgs ending poverty and hunger running healthcare facilities providing access to education improving gender equality providing a,https://sdgs.un.org/topics/energy,energy essential,Goal 7: Affordable and Clean Energy,7
71
+ 12,report sdg tag policy briefs accelerating sdg achievement in the time of covid this document was prepared in support of the first sdg review at the united nations high level political forum ,https://sdgs.un.org/topics/energy,2020 sdg7,Goal 7: Affordable and Clean Energy,7
72
+ 13, the views expressed in this publication are those of the experts whose contributions are acknowledged and do not necessarily refect those of the united nations or the organizations ,https://sdgs.un.org/topics/energy,united nations,Goal 7: Affordable and Clean Energy,7
73
+ 14, read the document analysis of the voluntary national reviews relating to sdg achieving sustainable development goal sdg will benefit billions of people all over the world,https://sdgs.un.org/topics/energy,sdg7 benefit,Goal 7: Affordable and Clean Energy,7
74
+ 15, universal access to energy increased energy efficiency and expanded use of renewable energy by will result in enhanced economic opportunities and jobs empowerment of women and youth better edu,https://sdgs.un.org/topics/energy,renewable energy,Goal 7: Affordable and Clean Energy,7
75
+ 16, read the document desa sdg vnr analysis achieving sustainable development goal sdg will benefit billions of people all over the world,https://sdgs.un.org/topics/energy,sdg7 vnr,Goal 7: Affordable and Clean Energy,7
76
+ 17, universal access to energy increased energy efficiency and expanded use of renewable energy by will result in enhanced economic opportunities and jobs empowerment of women and youth better edu,https://sdgs.un.org/topics/energy,renewable energy,Goal 7: Affordable and Clean Energy,7
77
+ 18, read the document sdg policy briefs the accelerating sdg achievement policy briefs were prepared by the multi stakeholder sdg technical advisory group convened by un desa to support the sdg review process at the high level political forum on sustainable development hlpf ,https://sdgs.un.org/topics/energy,stakeholder sdg,Goal 7: Affordable and Clean Energy,7
78
+ 19, the advisory group brings together representatives fro,https://sdgs.un.org/topics/energy,advisory group,Goal 7: Affordable and Clean Energy,7
79
+ 20, read the document publication aligning nationally determined contributions and sustainable development goals the agenda and the paris agreement put forth an innovative and complementary framework for accelerating action and achieving ambitious sustainable development objectives,https://sdgs.un.org/topics/energy,sustainable development,Goal 7: Affordable and Clean Energy,7
80
+ 21, under the agenda a series of global sustainable development goals sdg have been agreed that are to be universally,https://sdgs.un.org/topics/energy,goals sdg,Goal 7: Affordable and Clean Energy,7
81
+ 22, read the document nd annual un desa energy grant powering the future we want the eight finalists of the energy grant programme presented projects ranging from sustainable maritime transport to urban electric busses with state of the art technology to compressed air mechanization for emissions free vehicles,https://sdgs.un.org/topics/energy,energy grant,Goal 7: Affordable and Clean Energy,7
82
+ 23, the finalists demonstrated through their initiatives and acti,https://sdgs.un.org/topics/energy,finalists demonstrated,Goal 7: Affordable and Clean Energy,7
83
+ 24, read the document st annual un desa energy grant powering the future we want the finalists that reached the top of the evaluation process represent a wide range of sectors including the public and private sector non profit research centres women s associations and micro finance institutions,https://sdgs.un.org/topics/energy,energy grant,Goal 7: Affordable and Clean Energy,7
84
+ 25, this group of finalists is comprised of independent organisations and o,https://sdgs.un.org/topics/energy,12 finalists,Goal 7: Affordable and Clean Energy,7
85
+ 26, read the document transforming our world the agenda for sustainable development this agenda is a plan of action for people planet and prosperity,https://sdgs.un.org/topics/energy,agenda sustainable,Goal 7: Affordable and Clean Energy,7
86
+ 27, it also seeks to strengthen universal peace in larger freedom we recognize that eradicating poverty in all its forms and dimensions including extreme poverty is the greatest global challenge and an indispensable requirement for su,https://sdgs.un.org/topics/energy,eradicating poverty,Goal 7: Affordable and Clean Energy,7
87
+ 28,why mountains matter for energy a call for action on the sustainable development goals sdgs sustainable mountains development should be a global priority given the multitude of services that mountains provide among the most notable being water for half of humanity for drinking irrigation and energy production the pressing need to alleviate poverty in mountain regions is another reason f,https://sdgs.un.org/topics/energy,sustainable mountains,Goal 7: Affordable and Clean Energy,7
88
+ 29, read the document green paper policy options to accelerate the global transition to advanced lighting this green paper is intended to initiate a discussion for the global efficient lighting forum which will be held november in beijing china,https://sdgs.un.org/topics/energy,efficient lighting,Goal 7: Affordable and Clean Energy,7
89
+ 30, the global efficient lighting forum the global forum aims to generate a global dialogue and a consensus on the policy options that can deliver,https://sdgs.un.org/topics/energy,lighting forum,Goal 7: Affordable and Clean Energy,7
90
+ 31, read the document world economic situation and prospects prospects for global macroeconomic development global growth will improve slightly but continue at only a moderate level the global economy continued to expand at only a moderate estimated pace of ,https://sdgs.un.org/topics/energy,global growth,Goal 7: Affordable and Clean Energy,7
91
+ 32, recovery was hampered by some new challenges including a number of unexpected s,https://sdgs.un.org/topics/energy,recovery hampered,Goal 7: Affordable and Clean Energy,7
92
+ 33, read the document pagination next page last last page events see all events jan fri un celebrates the first world clean energy day on january the united nations marks its very first international day of clean energy representing a significant milestone in our collective commitment to a sustainable future,https://sdgs.un.org/topics/energy,energy day,Goal 7: Affordable and Clean Energy,7
93
+ 34, adopted by the un general assembly this day signifies a global celebration of clean energy and its pivotal role in ach jul tue high level launch tracking sdg the energy progress report amp sdg policy briefs a special event of the high level political forum on sustainable development nbsp energy can create transformational opportunities,https://sdgs.un.org/topics/energy,energy progress,Goal 7: Affordable and Clean Energy,7
94
+ 35, yet unprecedented levels of efforts are required to achieve the sustainable development goal ensuring access to affordable reliable sustainable and modern en conference room united nations hq new york jul tue session resilience in a time of crisis transforming energy access climate action learning and strengthening indigenous knowledge to achieve the sdgs resilience in a time of crisis transforming energy access climate action learning and strengthening indigenous knowledge to achieve the sdgs partners transforming energy access learning partnership tea lp university of cape town international association for the advancement of innovative virtual jul mon fri sdgs learning training and practice nbsp introduction the united nations high level political forum on sustainable development hlpf in was held from july under the auspices of the economic and social council,https://sdgs.un.org/topics/energy,sustainable development,Goal 7: Affordable and Clean Energy,7
95
+ 36, this includes the three day ministerial segment of the forum from july as part of the hi new york virtual jun thu ,https://sdgs.un.org/topics/energy,2023 jun,Goal 7: Affordable and Clean Energy,7
96
+ 37,new york virtual jun thu expert webinar series sdg policy briefs advancing sdg regional perspectives from the arab region asia and the pacific and europe,https://sdgs.un.org/topics/energy,sdg7 regional,Goal 7: Affordable and Clean Energy,7
97
+ 38, expert webinar series sdg policy briefs advancing sdg regional perspectives from the arab region asia and the pacific and europe,https://sdgs.un.org/topics/energy,sdg7 regional,Goal 7: Affordable and Clean Energy,7
98
+ 39, nbsp join us for the launch of the new expert webinar series on the sdg policy briefs,https://sdgs.un.org/topics/energy,expert webinar,Goal 7: Affordable and Clean Energy,7
99
+ 40, as part of the soft launch of the policy briefs on sdg this webina may thu fri global expert group meeting in preparation of the sdg review at the hlpf to support the review of sdg at the high level political forum hlpf desa in collaboration with un energy convened a global expert group meeting egm on may ,https://sdgs.un.org/topics/energy,sdg7 review,Goal 7: Affordable and Clean Energy,7
100
+ 41, this gathering aimed to discuss the progress and challenges related to sdg shared valuable lessons learned including syn un headquarters new york may wed first in person un energy meeting since on may for the first time since un energy will meet in person at the technical level,https://sdgs.un.org/topics/energy,energy meeting,Goal 7: Affordable and Clean Energy,7
101
+ 42, taking place at the un headquarters in new york the meeting will be an important opportunity for strategic discussions on un energy s activities and deliverables and its ambition and future orienta un headquarters new york conference room may wed clean energy technologies to meet sdgs in small island states this virtual event will provide a platform for knowledge exchange and collaboration among experts in the field of sustainable energy and island communities,https://sdgs.un.org/topics/energy,energy island,Goal 7: Affordable and Clean Energy,7
102
+ 43, it will explore innovative technologies best practices and policy frameworks for promoting sustainable energy transitions in islands,https://sdgs.un.org/topics/energy,sustainable energy,Goal 7: Affordable and Clean Energy,7
103
+ 44, the out virtual mar wed sdg tag meeting hosted by the world bank at this meeting of the sdg technical advisory group hosted by the world bank at its headquarters in washington this year s sdg policy briefs in support of the high level political forum hlpf will be discussed focusing in particular on key messages,https://sdgs.un.org/topics/energy,meeting sdg7,Goal 7: Affordable and Clean Energy,7
104
+ 45, preceding the meeting a special session on world bank headquarters main building h street nw washington dc jan wed expert group meetings on hlpf thematic review the theme of the high level political forum on sustainable development hlpf is accelerating the recovery from the coronavirus disease covid and the full implementation of the agenda for sustainable development at all levels ,https://sdgs.un.org/topics/energy,2023 hlpf,Goal 7: Affordable and Clean Energy,7
105
+ 46, the hlpf will have an in depth review of sustainabl displaying of title type date summary report global stakeholder online consultation in support of the sdg review at the hlpf reports may ,https://sdgs.un.org/topics/energy,review sustainabl,Goal 7: Affordable and Clean Energy,7
106
+ 47,displaying of title type date summary report global stakeholder online consultation in support of the sdg review at the hlpf reports may concept note global stakeholders online consultation for the sdg review at hlpf concept note mar flyer global stakeholders online consultation for the sdg review at hlpf flyer mar conference summary first global climate sdg synergy conference summaries dec raising ambition in the era of paris and pandemic recovery reports dec july background note third global climate sdg synergy conference background notes dec conference summary third global climate sdg synergy conference summaries dec concept note first global climate sdg synergy conference concept note dec conference report third global climate sdg synergy conference reports dec concept note third global climate sdg synergy conference concept note dec consultations on climate and sdg synergies for a better and stronger recovery from the covid pandemic reports dec april background note first global climate sdg synergy conference background notes dec a ensuring access to affordable reliable sustainable and modern energy for all secretary general reports aug tracking sdg the energy progress report other documents jul flyer thinking ahead for a sustainable just resilient recovery other documents jun pagination next next page last last page displaying of title category date sort ascending sheila oparaocha executive director energia and co facilitator ad hoc informal multi statements feb fekitamoeloa katoa utoikamanu high representative for the least developed countries statements feb liu zhenmin under secretary general un department of economic and social affairs statements feb h,https://sdgs.un.org/topics/energy,climate sdg,Goal 7: Affordable and Clean Energy,7
107
+ 48, siri jirapongphan minister of energy thailand statements feb wu xuan chief operation officer global energy interconnection development and cooperation statements feb adnan amin director general international renewable energy agency statements feb h,https://sdgs.un.org/topics/energy,energy thailand,Goal 7: Affordable and Clean Energy,7
108
+ 49, marianne hagen state secretary ministry of foreign affairs norway statements feb shamshad akhtar under secretary general and executive secretary of the economic and statements feb ,https://sdgs.un.org/topics/energy,norway statements,Goal 7: Affordable and Clean Energy,7
109
+ 50, marianne hagen state secretary ministry of foreign affairs norway statements feb shamshad akhtar under secretary general and executive secretary of the economic and statements feb h,https://sdgs.un.org/topics/energy,norway statements,Goal 7: Affordable and Clean Energy,7
110
+ 51, ambassador marie chatardov president of un economic and social council statements feb mr,https://sdgs.un.org/topics/energy,chatardová president,Goal 7: Affordable and Clean Energy,7
111
+ 52, minoru takada undesa session oct dr,https://sdgs.un.org/topics/energy,takada undesa,Goal 7: Affordable and Clean Energy,7
112
+ 53, patrick ho deputy chairman and secretary general china energy fund committee session oct mr,https://sdgs.un.org/topics/energy,china energy,Goal 7: Affordable and Clean Energy,7
113
+ 54, ivan vera undesa closing session oct mr,https://sdgs.un.org/topics/energy,ivan vera,Goal 7: Affordable and Clean Energy,7
114
+ 55, anders blom norfund norway session oct mr,https://sdgs.un.org/topics/energy,norfund norway,Goal 7: Affordable and Clean Energy,7
115
+ 56, marcel alers undp session oct mr,https://sdgs.un.org/topics/energy,marcel alers,Goal 7: Affordable and Clean Energy,7
116
+ 57, adrian whiteman international renewable energy agency session oct pagination next next page last last page milestones september high level dialogue on energy held on september the high level dialogue on energy was the first global gathering on energy under the auspices of the general assembly since ,https://sdgs.un.org/topics/energy,energy global,Goal 7: Affordable and Clean Energy,7
117
+ 58, the dialogue promoted the implementation of the energy related goals and targets of the agenda for sustainable development by raising ambition and accelerating action,https://sdgs.un.org/topics/energy,agenda sustainable,Goal 7: Affordable and Clean Energy,7
118
+ 59, it resulted in the global roadmap for accelerated sdg action and energy compacts including more than billion us dollars in voluntary commitments,https://sdgs.un.org/topics/energy,accelerated sdg7,Goal 7: Affordable and Clean Energy,7
119
+ 60, july the first sdg review on july the high level political forum hlpf conducted a review of sdg for the first time,https://sdgs.un.org/topics/energy,review sdg7,Goal 7: Affordable and Clean Energy,7
120
+ 61, the session brought together leading representatives from government international organizations and civil society to discuss progress and actions needed to ensure access to affordable reliable sustainable and modern energy for all,https://sdgs.un.org/topics/energy,session brought,Goal 7: Affordable and Clean Energy,7
121
+ 62, january sdg conference a global sdg meeting was held from to february in bangkok un escap,https://sdgs.un.org/topics/energy,sdg meeting,Goal 7: Affordable and Clean Energy,7
122
+ 63, the global sdg conference was co convened by un desa un escap and the ministry of energy of thailand,https://sdgs.un.org/topics/energy,global sdg,Goal 7: Affordable and Clean Energy,7
123
+ 64, the conference brought together key stakeholders from governments un system and other international organizations the private sector and civil society to engage in a dialogue that emphasized the integrated and cross cutting nature of sustainable energy and its multiple roles in supporting the achievement of the sdgs,https://sdgs.un.org/topics/energy,sustainable energy,Goal 7: Affordable and Clean Energy,7
124
+ 65, the conference was generously supported by norway republic of korea china germany the netherlands the european commission energia and hivos,https://sdgs.un.org/topics/energy,supported norway,Goal 7: Affordable and Clean Energy,7
125
+ 66, january sdg sustainable development goal aims to ensure access to affordable reliable and modern energy for all ensuring universal access to affordable reliable and modern energy services ,https://sdgs.un.org/topics/energy,sdg sustainable,Goal 7: Affordable and Clean Energy,7
126
+ 67, increasing substantially the share of renewable energy in the global energy mix ,https://sdgs.un.org/topics/energy,renewable energy,Goal 7: Affordable and Clean Energy,7
127
+ 68, doubling the global rate of improvement in energy efficiency ,https://sdgs.un.org/topics/energy,energy efficiency,Goal 7: Affordable and Clean Energy,7
128
+ 69, enhancing international cooperation to facilitate access to clean energy research and technology ,https://sdgs.un.org/topics/energy,international cooperation,Goal 7: Affordable and Clean Energy,7
129
+ 70,increasing substantially the share of renewable energy in the global energy mix ,https://sdgs.un.org/topics/energy,share renewable,Goal 7: Affordable and Clean Energy,7
130
+ 71, doubling the global rate of improvement in energy efficiency ,https://sdgs.un.org/topics/energy,energy efficiency,Goal 7: Affordable and Clean Energy,7
131
+ 72, enhancing international cooperation to facilitate access to clean energy research and technology ,https://sdgs.un.org/topics/energy,international cooperation,Goal 7: Affordable and Clean Energy,7
132
+ 73,a and expanding infrastructure and upgrading technology ,https://sdgs.un.org/topics/energy,expanding infrastructure,Goal 7: Affordable and Clean Energy,7
133
+ 74, january un decade of se all the united nations have been working together with stakeholders in order to develop a more coordinated plan of action at global level to ensure progress on sustainable energy for all,https://sdgs.un.org/topics/energy,sustainable energy,Goal 7: Affordable and Clean Energy,7
134
+ 75, the united nations decade of sustainable energy for all represents a precious opportunity for all stakeholders to gather around a common platform to take further action and complement activities and synergies ensuring progress towards the overall objectives of sustainable energy for all,https://sdgs.un.org/topics/energy,sustainable energy,Goal 7: Affordable and Clean Energy,7
135
+ 76, january st annual se all forum convened as a high level meeting and organized by the un sg ban ki moon the se all forum marked the beginning of the united nations decade of sustainable energy for all including its initial two year focus on energy for women children and health,https://sdgs.un.org/topics/energy,sustainable energy,Goal 7: Affordable and Clean Energy,7
136
+ 77, on the last day of the forum more than delegations attended the high level dialogue on energy in the post development agenda,https://sdgs.un.org/topics/energy,dialogue energy,Goal 7: Affordable and Clean Energy,7
137
+ 78, october international year of se all through the adoption of resolution the un general assembly established the year as the international year of sustainable energy for all,https://sdgs.un.org/topics/energy,year sustainable,Goal 7: Affordable and Clean Energy,7
138
+ 79, this decision aimed at raising awareness about the importance of increasing sustainable access to energy energy efficiency and renewable energy at local national regional and international levels,https://sdgs.un.org/topics/energy,renewable energy,Goal 7: Affordable and Clean Energy,7
139
+ 80, furthermore it focused on the impact that energy services have on other sectors such as productivity health education climate change food and water security and communication services,https://sdgs.un.org/topics/energy,energy services,Goal 7: Affordable and Clean Energy,7
140
+ 81, future we want recognizes the crucial role that energy plays in the development process emphasizes the need to address the challenge of access to sustainable modern energy services for all and recognizes that improving energy efficiency increasing the share of renewable energy and cleaner and energy efficient technologies are important for sustainable development,https://sdgs.un.org/topics/energy,renewable energy,Goal 7: Affordable and Clean Energy,7
141
+ 82, january se all initiative in september un secretary general ban ki moon launched sustainable energy for all as a global initiative aimed at achieving sustainable energy for all by and able to mobilize action from all sectors of society in support of three interlinked objectives providing universal access to modern energy services doubling the global rate of improvement in energy efficiency and doubling the share of renewable energy in the global energy mix,https://sdgs.un.org/topics/energy,sustainable energy,Goal 7: Affordable and Clean Energy,7
142
+ 83, january csd implementation thematic cluster csd recognized that energy was crucial for sustainable development and poverty eradication,https://sdgs.un.org/topics/energy,sustainable development,Goal 7: Affordable and Clean Energy,7
143
+ 84, the commission agreed on the need to further diversify energy supply by developing advanced cleaner more efficient affordable and cost effective energy technologies,https://sdgs.un.org/topics/energy,diversify energy,Goal 7: Affordable and Clean Energy,7
144
+ 85, pagination page next page next events see all events jan un celebrates the first world clean energy day fri fri jan related goals ,https://sdgs.un.org/topics/energy,clean energy,Goal 7: Affordable and Clean Energy,7
145
+ 86,pagination page next page next events see all events jan un celebrates the first world clean energy day fri fri jan related goals jul session resilience in a time of crisis transforming energy access climate action learning and strengthening indigenous knowledge to achieve the sdgs tue tue jul related goals jul high level launch tracking sdg the energy progress report sdg policy briefs tue tue jul related goals jul sdgs learning training and practice mon fri jul related goals news see all news jan un celebrates the first world clean energy day on january the united nations will mark its very first international day of clean energy representing a significant milestone in our collective commitment to a sustainable future,https://sdgs.un.org/topics/energy,clean energy,Goal 7: Affordable and Clean Energy,7
146
+ 87, adopted by the un general assembly this day signifies a global celebration of clean energy and its pivotal role in related goals mar un calls for game changing action to stem global water crisis related goals mar un forum concludes with urgent call for nations to scale up development cooperation to better support the most vulnerable related goals join the conversation footer menu contact copyright fraud alert privacy notice terms of use,https://sdgs.un.org/topics/energy,global celebration,Goal 7: Affordable and Clean Energy,7
src/train_bert/training_data/FeatureSet_8.csv ADDED
@@ -0,0 +1,142 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ ,text_data,source,best_key_word,category,label
2
+ 0,goal is about promoting inclusive and sustainable economic growth employment and decent work for all,https://www.un.org/sustainabledevelopment/economic-growth,inclusive sustainable,Goal 8: Decent Work and Economic Growth,8
3
+ 1, multiple crises are placing the global economy under serious threat,https://www.un.org/sustainabledevelopment/economic-growth,multiple crises,Goal 8: Decent Work and Economic Growth,8
4
+ 2, global real gdp per capita growth is forecast to slow down in and with ever increasing challenging economic conditions more workers are turning to informal employment,https://www.un.org/sustainabledevelopment/economic-growth,real gdp,Goal 8: Decent Work and Economic Growth,8
5
+ 3, globally labour productivity has increased and the unemployment rate has decreased,https://www.un.org/sustainabledevelopment/economic-growth,labour productivity,Goal 8: Decent Work and Economic Growth,8
6
+ 4, however more progress is needed to increase employment opportunities especially for young people reduce informal employment and labour market inequality particularly in terms of the gender pay gap promote safe and secure working environments and improve access to financial services to ensure sustained and inclusive economic growth,https://www.un.org/sustainabledevelopment/economic-growth,increase employment,Goal 8: Decent Work and Economic Growth,8
7
+ 5, the global unemployment rate declined significantly in falling to ,https://www.un.org/sustainabledevelopment/economic-growth,global unemployment,Goal 8: Decent Work and Economic Growth,8
8
+ 6, per cent from a peak of ,https://www.un.org/sustainabledevelopment/economic-growth,cent peak,Goal 8: Decent Work and Economic Growth,8
9
+ 7, per cent in as economies began recovering from the shock of the covid pandemic,https://www.un.org/sustainabledevelopment/economic-growth,19 pandemic,Goal 8: Decent Work and Economic Growth,8
10
+ 8, this rate was lower than the pre pandemic level of ,https://www.un.org/sustainabledevelopment/economic-growth,pandemic level,Goal 8: Decent Work and Economic Growth,8
11
+ 9, decent work means opportunities for everyone to get work that is productive and delivers a fair income security in the workplace and social protection for families better prospects for personal development and social integration,https://www.un.org/sustainabledevelopment/economic-growth,work productive,Goal 8: Decent Work and Economic Growth,8
12
+ 10, a continued lack of decent work opportunities insufficient investments and under consumption lead to an erosion of the basic social contract underlying democratic societies that all must share in progress,https://www.un.org/sustainabledevelopment/economic-growth,social contract,Goal 8: Decent Work and Economic Growth,8
13
+ 11, a persistent lack of decent work opportunities insufficient investments and under consumption contribute to the erosion of the basic social contract that all must share in progress,https://www.un.org/sustainabledevelopment/economic-growth,social contract,Goal 8: Decent Work and Economic Growth,8
14
+ 12, the creation of quality jobs remain a major challenge for almost all economies,https://www.un.org/sustainabledevelopment/economic-growth,quality jobs,Goal 8: Decent Work and Economic Growth,8
15
+ 13, achieving goal will require a wholesale reform of the financial system to tackle rising debts economic uncertainty and trade tensions while promoting equitable pay and decent work for young people,https://www.un.org/sustainabledevelopment/economic-growth,reform financial,Goal 8: Decent Work and Economic Growth,8
16
+ 14, sustained and inclusive economic growth can drive progress create decent jobs for all and improve living standards,https://www.un.org/sustainabledevelopment/economic-growth,economic growth,Goal 8: Decent Work and Economic Growth,8
17
+ 15, the estimated total global unemployment in was million,https://www.un.org/sustainabledevelopment/economic-growth,global unemployment,Goal 8: Decent Work and Economic Growth,8
18
+ 16, projections indicate that global unemployment is expected to decrease further to ,https://www.un.org/sustainabledevelopment/economic-growth,global unemployment,Goal 8: Decent Work and Economic Growth,8
19
+ 17, per cent in equivalent to million people,https://www.un.org/sustainabledevelopment/economic-growth,cent 2023,Goal 8: Decent Work and Economic Growth,8
20
+ 18, the pandemic disproportionately affected women and youth in labour markets,https://www.un.org/sustainabledevelopment/economic-growth,pandemic disproportionately,Goal 8: Decent Work and Economic Growth,8
21
+ 19, women experienced a stronger recovery in employment and labour force participation than men,https://www.un.org/sustainabledevelopment/economic-growth,recovery employment,Goal 8: Decent Work and Economic Growth,8
22
+ 20, however young people aged continue to face severe difficulties in securing decent employment and the global youth in unemployment rate is much higher than the rate for adults aged and above,https://www.un.org/sustainabledevelopment/economic-growth,unemployment rate,Goal 8: Decent Work and Economic Growth,8
23
+ 21, globally nearly in young people million were not in education employment or training,https://www.un.org/sustainabledevelopment/economic-growth,young people,Goal 8: Decent Work and Economic Growth,8
24
+ 22, what can we do to fix these issues,https://www.un.org/sustainabledevelopment/economic-growth,fix issues,Goal 8: Decent Work and Economic Growth,8
25
+ 23, providing youth the best opportunity to transition to a decent job calls for investing in education and training of the highest possible quality providing youth with skills that match labour market demands giving them access to social protection and basic services regardless of their contract type as well as leveling the playing field so that all aspiring youth can attain productive employment regardless of their gender income level or socio economic background,https://www.un.org/sustainabledevelopment/economic-growth,providing youth,Goal 8: Decent Work and Economic Growth,8
26
+ 24, governments can work to build dynamic sustainable innovative and people centred economies promoting youth employment and women s economic empowerment in particular and decent work for all,https://www.un.org/sustainabledevelopment/economic-growth,governments work,Goal 8: Decent Work and Economic Growth,8
27
+ 25, implementing adequate health and safety measures and promoting supportive working environments are fundamental to protecting the safety of workers especially relevant for health workers and those providing essential services,https://www.un.org/sustainabledevelopment/economic-growth,health safety,Goal 8: Decent Work and Economic Growth,8
28
+ 26, facts and figuresgoal targetslinksfacts and figures,https://www.un.org/sustainabledevelopment/economic-growth,targetslinksfacts figures,Goal 8: Decent Work and Economic Growth,8
29
+ 27,multiple crises are placing the global economy under serious threat,https://www.un.org/sustainabledevelopment/economic-growth,multiple crises,Goal 8: Decent Work and Economic Growth,8
30
+ 28, global real gdp per capita growth is forecast to slow down in ,https://www.un.org/sustainabledevelopment/economic-growth,growth forecast,Goal 8: Decent Work and Economic Growth,8
31
+ 29, challenging economic conditions are pushing more workers into informal employment,https://www.un.org/sustainabledevelopment/economic-growth,informal employment,Goal 8: Decent Work and Economic Growth,8
32
+ 30, as economies start to recover the global unemployment rate has experienced a significant decline,https://www.un.org/sustainabledevelopment/economic-growth,global unemployment,Goal 8: Decent Work and Economic Growth,8
33
+ 31, however the youth unemployment rate continues to be much higher than the rate for adults indicating ongoing challenges in securing employment opportunities for young people,https://www.un.org/sustainabledevelopment/economic-growth,youth unemployment,Goal 8: Decent Work and Economic Growth,8
34
+ 32, the pandemic has accelerated digital adoption and transformed access to finance,https://www.un.org/sustainabledevelopment/economic-growth,digital adoption,Goal 8: Decent Work and Economic Growth,8
35
+ 33, globally per cent of adults had bank accounts or accounts with regulated institutions in up from per cent in ,https://www.un.org/sustainabledevelopment/economic-growth,adults bank,Goal 8: Decent Work and Economic Growth,8
36
+ 34, achieving goal will require a wholesale reform of the financial system to tackle rising debts economic uncertainty and trade tensions while promoting equitable pay and decent work for young people,https://www.un.org/sustainabledevelopment/economic-growth,reform financial,Goal 8: Decent Work and Economic Growth,8
37
+ 35, the slowdown in global growth in is likely to be less severe than previously expected mainly due to resilient household spending in the developed economies and recovery in china,https://www.un.org/sustainabledevelopment/economic-growth,growth 2023,Goal 8: Decent Work and Economic Growth,8
38
+ 36, global economic growth is now projected to reach ,https://www.un.org/sustainabledevelopment/economic-growth,economic growth,Goal 8: Decent Work and Economic Growth,8
39
+ 37, per cent in an upward revision by ,https://www.un.org/sustainabledevelopment/economic-growth,cent 2023,Goal 8: Decent Work and Economic Growth,8
40
+ 38, percentage points from the january forecast,https://www.un.org/sustainabledevelopment/economic-growth,january forecast,Goal 8: Decent Work and Economic Growth,8
41
+ 39, world economic situation and prospects as of mid key messages average global inflation is projected to decline from ,https://www.un.org/sustainabledevelopment/economic-growth,global inflation,Goal 8: Decent Work and Economic Growth,8
42
+ 40, per cent in to ,https://www.un.org/sustainabledevelopment/economic-growth,cent 2022,Goal 8: Decent Work and Economic Growth,8
43
+ 41, per cent in amid lower food and energy prices and softening demand especially in the large developed economies,https://www.un.org/sustainabledevelopment/economic-growth,cent 2023,Goal 8: Decent Work and Economic Growth,8
44
+ 42, world economic situation and prospects as of mid key messages the world economic situation and prospects wesp report projects world output growth to decelerate to ,https://www.un.org/sustainabledevelopment/economic-growth,world economic,Goal 8: Decent Work and Economic Growth,8
45
+ 43, in a drop of more than a percentage point from in ,https://www.un.org/sustainabledevelopment/economic-growth,2023 drop,Goal 8: Decent Work and Economic Growth,8
46
+ 44, tepid economic growth threatens sdgs warns un flagship report news sdg knowledge hub iisd,https://www.un.org/sustainabledevelopment/economic-growth,tepid economic,Goal 8: Decent Work and Economic Growth,8
47
+ 45,source the sustainable development goals report goal targets ,https://www.un.org/sustainabledevelopment/economic-growth,sustainable development,Goal 8: Decent Work and Economic Growth,8
48
+ 46, sustain per capita economic growth in accordance with national circumstances and in particular at least per cent gross domestic product growth per annum in the least developed countries ,https://www.un.org/sustainabledevelopment/economic-growth,growth annum,Goal 8: Decent Work and Economic Growth,8
49
+ 47, achieve higher levels of economic productivity through diversification technological upgrading and innovation including through a focus on high value added and labour intensive sectors ,https://www.un.org/sustainabledevelopment/economic-growth,productivity diversification,Goal 8: Decent Work and Economic Growth,8
50
+ 48, promote development oriented policies that support productive activities decent job creation entrepreneurship creativity and innovation and encourage the formalization and growth of micro small and medium sized enterprises including through access to financial services ,https://www.un.org/sustainabledevelopment/economic-growth,promote development,Goal 8: Decent Work and Economic Growth,8
51
+ 49, improve progressively through global resource efficiency in consumption and production and endeavour to decouple economic growth from environmental degradation in accordance with the year framework of programmes on sustainable consumption and production with developed countries taking the lead ,https://www.un.org/sustainabledevelopment/economic-growth,sustainable consumption,Goal 8: Decent Work and Economic Growth,8
52
+ 50, by achieve full and productive employment and decent work for all women and men including for young people and persons with disabilities and equal pay for work of equal value ,https://www.un.org/sustainabledevelopment/economic-growth,2030 achieve,Goal 8: Decent Work and Economic Growth,8
53
+ 51, by substantially reduce the proportion of youth not in employment education or training ,https://www.un.org/sustainabledevelopment/economic-growth,proportion youth,Goal 8: Decent Work and Economic Growth,8
54
+ 52, take immediate and effective measures to eradicate forced labour end modern slavery and human trafficking and secure the prohibition and elimination of the worst forms of child labour including recruitment and use of child soldiers and by end child labour in all its forms ,https://www.un.org/sustainabledevelopment/economic-growth,child labour,Goal 8: Decent Work and Economic Growth,8
55
+ 53, protect labour rights and promote safe and secure working environments for all workers including migrant workers in particular women migrants and those in precarious employment ,https://www.un.org/sustainabledevelopment/economic-growth,protect labour,Goal 8: Decent Work and Economic Growth,8
56
+ 54, by devise and implement policies to promote sustainable tourism that creates jobs and promotes local culture and products ,https://www.un.org/sustainabledevelopment/economic-growth,sustainable tourism,Goal 8: Decent Work and Economic Growth,8
57
+ 55, strengthen the capacity of domestic financial institutions to encourage and expand access to banking insurance and financial services for all ,https://www.un.org/sustainabledevelopment/economic-growth,financial institutions,Goal 8: Decent Work and Economic Growth,8
58
+ 56,a increase aid for trade support for developing countries in particular least developed countries including through the enhanced integrated framework for trade related technical assistance to least developed countries ,https://www.un.org/sustainabledevelopment/economic-growth,aid trade,Goal 8: Decent Work and Economic Growth,8
59
+ 57,b by develop and operationalize a global strategy for youth employment and implement the global jobs pact of the international labour organization links international labour organization un development programme inquiry into the design of a sustainable financial system policy innovations for a green economy un global compact economic and social commission for asia the pacific economic and social commission for western asia economic and social commission for africa economic and social commission for europe economic and social commission for latin america the caribbean imf world economic outlook un capital development fund asian development bank fast facts decent work and economic growth infographic decent work and economic growth related news,https://www.un.org/sustainabledevelopment/economic-growth,youth employment,Goal 8: Decent Work and Economic Growth,8
60
+ 58,overview world economic situation and prospects yinuo t jan overview the latest world economic situation and prospects report for paints a sobering picture of the global economic landscape,https://www.un.org/sustainabledevelopment/economic-growth,2024 overview,Goal 8: Decent Work and Economic Growth,8
61
+ 59, the world economy continues to face multiple crises jeopardizing progress towards the sustainable development goals sdgs ,https://www.un.org/sustainabledevelopment/economic-growth,sustainable development,Goal 8: Decent Work and Economic Growth,8
62
+ 60, read more putting a human face on sdg datamasayoshi suga t aug new york august bringing data to life is an electronic flipping book that collects and showcases the faces and stories behind the data found in global figures on the sustainable development goals sdgs ,https://www.un.org/sustainabledevelopment/economic-growth,face sdg,Goal 8: Decent Work and Economic Growth,8
63
+ 61, read more are new technologies the answer for accelerating efforts to achieve the sustainable development goals,https://www.un.org/sustainabledevelopment/economic-growth,new technologies,Goal 8: Decent Work and Economic Growth,8
64
+ 62, gallery are new technologies the answer for accelerating efforts to achieve the sustainable development goals,https://www.un.org/sustainabledevelopment/economic-growth,gallery new,Goal 8: Decent Work and Economic Growth,8
65
+ 63,vesna blazhevska t oct world economic and social survey looks at whether frontier technologies will help or harm monday october room s a,https://www.un.org/sustainabledevelopment/economic-growth,frontier technologies,Goal 8: Decent Work and Economic Growth,8
66
+ 64, the world economic and social survey looks at how frontier ,https://www.un.org/sustainabledevelopment/economic-growth,frontier,Goal 8: Decent Work and Economic Growth,8
67
+ 65, read more nextload more postsrelated videosdpicampaigns t sdglive at wef using blockchain to advance the global goalsdpicampaigns t jan dpicampaigns t sdglive at wef responsible business and the sdgsdpicampaigns t jan dpicampaigns t sdglive at wef digital technology and trade for global growthdpicampaigns t jan nextload more postsshare this story choose your platform,https://www.un.org/sustainabledevelopment/economic-growth,global goalsdpicampaigns2018,Goal 8: Decent Work and Economic Growth,8
68
+ 66, the goals read moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread more sdg resources across the unsustainable development knowledge platform united nations sustainable development group united to reform united nations homepage sdg media zone,https://www.un.org/sustainabledevelopment/economic-growth,goals read,Goal 8: Decent Work and Economic Growth,8
69
+ 0,employment decent work for all and social protection department of economic and social affairs sorry you need to enable javascript to visit this website,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,employment decent,Goal 8: Decent Work and Economic Growth,8
70
+ 1, skip to main content welcome to the united nations englishfran ais espa ol department of economic and social affairs sustainable development main navigation home sdg knowledge sustainable development goals key topics agenda capacity development publications natural resources forum intergovernmental processes high level political forum on sustainable development un conferences and high level events related to sustainable development multi stakeholder forum on science technology and innovation for the sdgs second committee of the un general assembly samoa pathway ecosoc partnership forum hlpf sids th international conference on small island developing states small island developing states multidimensional vulnerability index for sids united nations sids partnerships awards sids partnership framework sdg actions sdg actions platform faq about the submission of voluntary commitments sdg actions engage events webinars member states un system stakeholder engagement news about topics employment decent work for all and social protection related sdgs promote sustained inclusive and sustainable ,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,sustainable development,Goal 8: Decent Work and Economic Growth,8
71
+ 2, description publications events documents statements milestones description,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,description publications,Goal 8: Decent Work and Economic Growth,8
72
+ 3,engage events webinars member states un system stakeholder engagement news about topics employment decent work for all and social protection related sdgs promote sustained inclusive and sustainable ,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,events webinars,Goal 8: Decent Work and Economic Growth,8
73
+ 4, description publications events documents statements milestones description the key role of decent work for all in achieving sustainable development is highlighted by sustainable development goal which aims to promote sustained inclusive and sustainable economic growth full and productive employment and decent work for all ,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,sustainable development,Goal 8: Decent Work and Economic Growth,8
74
+ 5, decent work employment creation social protection rights at work and social dialogue represent integral elements of the new agenda for sustainable development,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,sustainable development,Goal 8: Decent Work and Economic Growth,8
75
+ 6, furthermore crucial aspects of decent work are broadly rooted in the targets of many of the other goals,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,work broadly,Goal 8: Decent Work and Economic Growth,8
76
+ 7, in its paragraphs the outcome document of the rio conference expresses its concerns about labour market conditions and the widespread deficits of available decent work opportunities,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,labour market,Goal 8: Decent Work and Economic Growth,8
77
+ 8, at the same time recognizes the existing linkages among poverty eradication full and productive employment and decent work for all and urges all governments to address the global challenge of youth employment,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,youth employment,Goal 8: Decent Work and Economic Growth,8
78
+ 9, the global challenge of youth employment is also recalled by the plan of implementation of the world summit on sustainable development adopted in johannesburg in ,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,youth employment,Goal 8: Decent Work and Economic Growth,8
79
+ 10, among the concerted and concrete measuring required for enabling developing countries to achieve their sustainable development goals jpoi highlights the importance of providing assistance to increase income generating employment opportunities taking into account the declaration on fundamental principles and rights at work of the international labour organization,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,goals jpoi,Goal 8: Decent Work and Economic Growth,8
80
+ 11, jpoi reads good governance is essential for sustainable development,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,governance essential,Goal 8: Decent Work and Economic Growth,8
81
+ 12, sound economic policies solid democratic institutions responsive to the needs of the people and improved infrastructure are the basis for sustained economic growth poverty eradication and employment creation,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,institutions responsive,Goal 8: Decent Work and Economic Growth,8
82
+ 13, freedom peace and security domestic stability respect for human rights including the right to development and the rule of law gender equality market oriented policies and an overall commitment to just and democratic societies are also essential and mutually reinforcing ,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,freedom peace,Goal 8: Decent Work and Economic Growth,8
83
+ 14, chapter of agenda identifies the need to strengthening employment and income generating programmes as tool to eradicate poverty,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,eradicate poverty,Goal 8: Decent Work and Economic Growth,8
84
+ 15, the agenda also invites governments to establish measures able to directly or indirectly generate remunerative employment and productive occupational opportunities compatible with country specific factor endowments on a scale sufficient to take care of prospective increases in the labour force and to cover backlogs,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,remunerative employment,Goal 8: Decent Work and Economic Growth,8
85
+ 16, furthermore the agenda reiterates in different sections the need of generating employment for vulnerable groups specifically women urban poor unemployed rural labour as well as low income urban residents,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,rural labour,Goal 8: Decent Work and Economic Growth,8
86
+ 17, publications exploring youth entrepreneurship this report explores aspects of youth entrepreneurship as a mechanism to achieve the sustainable development goals,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,youth entrepreneurship,Goal 8: Decent Work and Economic Growth,8
87
+ 18, it sets out the position and challenges of youth in cambodia lao pdr the philippines the gambia and fiji and investigates the dynamics of youth entrepreneurship through an overvie,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,youth entrepreneurship,Goal 8: Decent Work and Economic Growth,8
88
+ 19,micro small and medium sized enterprises msmes and their role in achieving the sustainable development goals sdgs this report aims to demonstrate the relevance roles and contributions of micro small and medium sized enterprises msmes to the seventeen sustainable development goals sdgs ,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,sized enterprises,Goal 8: Decent Work and Economic Growth,8
89
+ 20, it examines the roles of msmes in each of the sdgs as well as msmes in economic activities related to creating employme,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,msmes economic,Goal 8: Decent Work and Economic Growth,8
90
+ 21, read the document supporting micro small and medium sized enterprises msmes to achieve the sustainable development goals sdgs in cambodia through streamlining business registration policies micro small and medium sized enterprises msmes are the backbone of the cambodian economy comprising more than percent of enterprises in the country,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,enterprises msmes,Goal 8: Decent Work and Economic Growth,8
91
+ 22, in msmes provided over percent of employment opportunities and more than half of the annual gross domestic product gdp ,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,2018 msmes,Goal 8: Decent Work and Economic Growth,8
92
+ 23, read the document policy brief the role of micro small and medium sized enterprises msmes in achieving the sustainable development goals sdgs this policy brief examines the potential of micro small and medium sized enterprises msmes in achieving the sustainable development goals sdgs ,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,enterprises msmes,Goal 8: Decent Work and Economic Growth,8
93
+ 24, it includes an analysis of opportunities and challenges for leveraging full potentials of msmes in achieving the sdgs including access to finance ac,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,msmes achieving,Goal 8: Decent Work and Economic Growth,8
94
+ 25, read the document global wage report the united nations agenda for sustainable development identified decent work for all women and men and lower inequality as among the key objectives of a new universal policy agenda,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,global wage,Goal 8: Decent Work and Economic Growth,8
95
+ 26, the issues of wage growth and wage inequality are central to this agenda,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,wage growth,Goal 8: Decent Work and Economic Growth,8
96
+ 27, read the document world social protection report this ilo flagship report provides a global overview of recent trends in social protection systems including social protection floors,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,social protection,Goal 8: Decent Work and Economic Growth,8
97
+ 28, based on new data it offers a broad range of global regional and country data on social protection coverage benefits and public expenditures on social protection,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,social protection,Goal 8: Decent Work and Economic Growth,8
98
+ 29, read the document world employment social outlook global economic growth has rebounded and is expected to remain stable but low global economic growth increased to ,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,economic growth,Goal 8: Decent Work and Economic Growth,8
99
+ 30, per cent in after hitting a six year low of ,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,hitting year,Goal 8: Decent Work and Economic Growth,8
100
+ 31, the recovery was broad based driven by expa,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,recovery broad,Goal 8: Decent Work and Economic Growth,8
101
+ 32,human development report over the past quarter century the world has changed and with it the development landscape,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,human development,Goal 8: Decent Work and Economic Growth,8
102
+ 33, new countries have emerged and our planet is now home to more than billion people one in four of them young,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,new countries,Goal 8: Decent Work and Economic Growth,8
103
+ 34, the geopolitical scenario has also changed with developing countries emerging as a major eco,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,countries emerging,Goal 8: Decent Work and Economic Growth,8
104
+ 35, read the document world employment social outlook this edition of the world employment and social outlook report devoted to the issue of poverty comes at a critical juncture,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,issue poverty,Goal 8: Decent Work and Economic Growth,8
105
+ 36, the very first goal of the recently adopted agenda for sustainable development is to end poverty by in all its forms everywhere ,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,poverty 2030,Goal 8: Decent Work and Economic Growth,8
106
+ 37, read the document better business better world the business and sustainable development commission was launched in davos in january ,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,launched davos,Goal 8: Decent Work and Economic Growth,8
107
+ 38, it brings together leaders from business finance civil society labour and international organisations with the twin aims of mapping the economic prize that could be available to business if the un sustain,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,economic prize,Goal 8: Decent Work and Economic Growth,8
108
+ 39, read the document human development report this new global human development report is an urgent call to tackle one of the world s great development challenges providing enough decent work and livelihoods for all,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,human development,Goal 8: Decent Work and Economic Growth,8
109
+ 40, work provides the means to tackle poverty empower minorities by being inclusive and protect our environment if jobs are g,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,empower minorities,Goal 8: Decent Work and Economic Growth,8
110
+ 41, read the document transforming our world the agenda for sustainable development this agenda is a plan of action for people planet and prosperity,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,agenda sustainable,Goal 8: Decent Work and Economic Growth,8
111
+ 42, it also seeks to strengthen universal peace in larger freedom we recognize that eradicating poverty in all its forms and dimensions including extreme poverty is the greatest global challenge and an indispensable requirement for su,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,eradicating poverty,Goal 8: Decent Work and Economic Growth,8
112
+ 43, read the document pagination next page last last page events see all events jul mon wed expert group meetings for hlpf thematic review the theme of the high level political forum hlpf is advancing sustainable inclusive science and evidence based solutions for the agenda and its sdgs for leaving no one behind ,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,2025 hlpf,Goal 8: Decent Work and Economic Growth,8
113
+ 44, the hlpf will have an in depth review of sustainable development goals ensure healthy lives and pr may fri mon international study tour on juncao technology concrete contributions of juncao technology to supporting poverty eradication employment creation and sustainable development in developing countries the united nations department of economic and social affairs undesa collaborated with the national engineering research centre for juncao technology at fujian agriculture and forestry university fafu in the people s republic of china under the un peace and development trust fund on a project t fuzhou fujian province china feb thu fri ,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,juncao technology,Goal 8: Decent Work and Economic Growth,8
114
+ 45,fuzhou fujian province china feb thu fri expert group meeting on sdg quot promote sustained inclusive and sustainable economic growth full and productive employment and decent work for all quot in preparation for hlpf the high level political forum on sustainable development hlpf will convene from july in new york under the theme advancing sustainable inclusive science and evidence based solutions for the agenda and its sdgs for leaving no one behind,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,forum sustainable,Goal 8: Decent Work and Economic Growth,8
115
+ 46, as the global platform for tracking pro new york may tue expert group meeting on sdg and its interlinkages with other sdgs the theme of the nbsp high level political forum nbsp hlpf is reinforcing the agenda and eradicating poverty in times of multiple crises the effective delivery of sustainable resilient and innovative solutions ,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,2030 agenda,Goal 8: Decent Work and Economic Growth,8
116
+ 47, the hlpf will have an in depth review of sustainable development goa geneva switzerland jul thu session accelerating resilient recovery role of infrastructure sector and entrepreneurship accelerating resilient recovery role of infrastructure sector and entrepreneurship partners un habitat unctad international anti corruption academy iaca think tank altercontacts live stream nbsp return to nbsp main website virtual jul tue session sustainability in action the role of facility management and electrotechnology s impact on the sdgs a new story sustainability in action the role of facility management and electrotechnology s impact on the sdgs a new story partners ifma foundation international electrotechnical commission iec return to nbsp main website conference room sep thu accelerating decent work and economic growth for a resilient urban recovery in the era of covid feb mon wed th session of the commission for social development csocd unhq ny apr wed fri expert group meeting on sdg thematic review in preparation for the hlpf the division for sustainable development goals of the un department of economic and social affairs un desa dsdg in collaboration with the international labour organization and un partners is organizing an expert group meeting on sdg progress policies and implem geneva switzerland jul thu fri tackling child labour in supply chains child labour platform clp meeting in april the child labour platform clp was transferred to the international organisation of employers ioe and the international trade union confederation ituc co chairs of the un global compact labour working group,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,sustainable development,Goal 8: Decent Work and Economic Growth,8
117
+ 48,the clp aims to identify the obstacles to the implementation of the i geneva switzerland displaying of title type date meeting report expert group meeting on sdg thematic review meeting reports jan meeting report expert group meeting on sdg thematic review apr concept note expert group meeting on sdg thematic review concept notes jan a add,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,implementation geneva,Goal 8: Decent Work and Economic Growth,8
118
+ 49, implementation of agenda the programme for the further implementation of agenda and the resolutions and decisions dec a res addis ababa action agenda of the third international conference on financing for development addis resolutions and decisions jul flyer on securing livelihood for all foresight for action other documents apr e cn,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,implementation agenda,Goal 8: Decent Work and Economic Growth,8
119
+ 50, review and appraisal of the implementation of the beijing declaration and platform for action and secretary general reports dec a the road to dignity by ending poverty transforming all lives and protecting the planet secretary general reports dec e cn,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,beijing declaration,Goal 8: Decent Work and Economic Growth,8
120
+ 51, rethinking and strengthening social development in the contemporary world secretary general reports nov outcome document introduction to the proposal of the open working group for sustainable development goals outcome documents jul unep post note green and decent jobs for poverty eradication other documents may tst issues brief employment and decent work technical support team tst issues briefs jun displaying of title category date sort ascending major groups children and youth trade union women indigenous peoples co chairs meetings with major groups jun alliance of small island states aosis energy economic growth employment and infrastructure may stakeholder group on ageing dialogue with major groups may major group children youth dialogue with major groups may peru and mexico energy economic growth employment and infrastructure may landlocked developing countries energy economic growth employment and infrastructure may bulgaria and croatia energy economic growth employment and infrastructure may austria energy economic growth employment and infrastructure may denmark ireland and norway energy economic growth employment and infrastructure may romania energy economic growth employment and infrastructure may greece energy economic growth employment and infrastructure may india energy economic growth employment and infrastructure may iceland liechtenstein and new zealand energy economic growth employment and infrastructure may pacific small island developing states psids energy economic growth employment and infrastructure may iran energy economic growth employment and infrastructure may ,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,developing countries,Goal 8: Decent Work and Economic Growth,8
121
+ 52,pacific small island developing states psids energy economic growth employment and infrastructure may iran energy economic growth employment and infrastructure may pagination next next page last last page milestones january sdg goal aims to promote sustained inclusive and sustainable economic growth full and productive employment and decent work for all ,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,island developing,Goal 8: Decent Work and Economic Growth,8
122
+ 53, decent work employment creation social protection rights at work and social dialogue represent integral elements of the new agenda for sustainable development and crucial aspects of decent work are broadly rooted in the targets of many of the other goals,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,sustainable development,Goal 8: Decent Work and Economic Growth,8
123
+ 54, january future we want para in its paragraphs the outcome document of the rio conference expresses its concerns about labor market conditions and the widespread deficits of available decent work opportunities,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,document rio,Goal 8: Decent Work and Economic Growth,8
124
+ 55, at the same time it recognizes the existing linkages among poverty eradication full and productive employment and decent work for all and urges all governments to address the global challenge of youth employment,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,youth employment,Goal 8: Decent Work and Economic Growth,8
125
+ 56, future we want also stresses the importance of job creation by investing in and developing sound effective and efficient economic and social infrastructure and productive capacities as well as the need for workers to have access to education skills health care social security fundamental rights at work,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,job creation,Goal 8: Decent Work and Economic Growth,8
126
+ 57, january spfs recommendation in june the ilo recommendation concerning national floors of social protection no was adopted by consensus,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,social protection,Goal 8: Decent Work and Economic Growth,8
127
+ 58, social protection floors are nationally defined sets of basic social security guarantees which secure protection aimed at preventing or alleviating poverty vulnerability and social exclusion,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,social protection,Goal 8: Decent Work and Economic Growth,8
128
+ 59, these guarantees should ensure at a minimum that over the life cycle all in need have access to essential health care and basic income security,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,guarantees ensure,Goal 8: Decent Work and Economic Growth,8
129
+ 60, january green jobs programme the ilo green jobs programme was established in and has been operational at multiple levels since,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,jobs programme,Goal 8: Decent Work and Economic Growth,8
130
+ 61, these multiple levels consist of the promotion of international policy coherence through research and advocacy support to constituents at national level through policy and technical advisory services as well as capacity development of constituents and partners through training and knowledge sharing,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,policy coherence,Goal 8: Decent Work and Economic Growth,8
131
+ 62, january spfs initiative created in april by the un system s chief executives board for coordination the social protection floors initiative was endorsed by member states during the rio conference,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,spfs initiative,Goal 8: Decent Work and Economic Growth,8
132
+ 63, on social justice for a fair globalization through this declaration governments employers and workers from all member states wanted to call for a new strategy to sustain open economies and open societies based on social justice full and productive employment sustainable enterprises and social cohesion,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,fair globalization,Goal 8: Decent Work and Economic Growth,8
133
+ 64, annex among the concerted and concrete measuring required for enabling developing countries to achieve their sustainable development goals the jpoi highlights the importance of providing assistance to increase income generating employment opportunities taking into account the declaration on fundamental principles and rights at work of the international labour organization,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,goals jpoi,Goal 8: Decent Work and Economic Growth,8
134
+ 65, on fundamental principles and rights at work the third commitment of the un world summit on social development held in in copenhagen established full employment as a basic priority of social and economic policies,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,summit social,Goal 8: Decent Work and Economic Growth,8
135
+ 66, delegates also agreed to safeguard the basic rights of workers and to this end freely promote respect for relevant international labour organization conventions including those on the prohibition of forced and child labour freedom of association the right to organize and bargain collectively and the principle of non discrimination ,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,labour freedom,Goal 8: Decent Work and Economic Growth,8
136
+ 67, this commitment was at the core of the development of the ilo declaration on fundamental principles and rights at work,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,ilo declaration,Goal 8: Decent Work and Economic Growth,8
137
+ 68, january discrimination convention the convention concerning discrimination in respect of employment and occupation or discrimination convention ilo convention no,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,discrimination convention,Goal 8: Decent Work and Economic Growth,8
138
+ 69, is one of eight ilo fundamental conventions,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,111 ilo,Goal 8: Decent Work and Economic Growth,8
139
+ 70, the convention urges member states to enable legislation prohibiting all discrimination and exclusion on any basis including of race or color sex religion political opinion national or social origin in employment and repealing legislation that is not based on equal opportunities,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,prohibiting discrimination,Goal 8: Decent Work and Economic Growth,8
140
+ 71, january ilo the international labour organization was founded in ,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,founded 1919,Goal 8: Decent Work and Economic Growth,8
141
+ 72, since its establishment ilo has been committed to protect the most vulnerable to fight against unemployment promote human rights establish democratic institutions and enhance the working lives of women and men around the world,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,establishment ilo,Goal 8: Decent Work and Economic Growth,8
142
+ 73, events see all events jul expert group meetings for hlpf thematic review mon wed jul related goals may international study tour on juncao technology concrete contributions of juncao technology to supporting poverty eradication employment creation and sustainable development in developing countries fri mon may related goals feb expert group meeting on sdg promote sustained inclusive and sustainable economic growth full and productive employment and decent work for all in preparation for hlpf thu fri feb related goals may expert group meeting on sdg and its interlinkages with other sdgs tue tue may related goals join the conversation footer menu contact copyright fraud alert privacy notice terms of use,https://sdgs.un.org/topics/employment-decent-work-all-and-social-protection,juncao technology,Goal 8: Decent Work and Economic Growth,8
src/train_bert/training_data/FeatureSet_9.csv ADDED
@@ -0,0 +1,117 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ ,text_data,source,best_key_word,category,label
2
+ 0,goal seeks to build resilient infrastructure promote sustainable industrialization and foster innovation,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,resilient infrastructure,"Goal 9: Industries,Innovation, and Infrastructure",9
3
+ 1, economic growth social development and climate action are heavily dependent on investments in infrastructure sustainable industrial development and technological progress,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,development climate,"Goal 9: Industries,Innovation, and Infrastructure",9
4
+ 2, in the face of a rapidly changing global economic landscape and increasing inequalities sustained growth must include industrialization that first of all makes opportunities accessible to all people and second is supported by innovation and resilient infrastructure,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,industrialization,"Goal 9: Industries,Innovation, and Infrastructure",9
5
+ 3, even before the outbreak of the covid pandemic global manufacturing considered an engine of overall economic growth has been steadily declining due to tariffs and trade tensions,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,global manufacturing,"Goal 9: Industries,Innovation, and Infrastructure",9
6
+ 4, the manufacturing decline caused by the pandemic has further caused serious impacts on the global economy,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,manufacturing decline,"Goal 9: Industries,Innovation, and Infrastructure",9
7
+ 5, this is primarily due to high inflation energy price shocks persistent disruptions in the supply of raw materials and intermediate goods and global economic deceleration,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,economic deceleration,"Goal 9: Industries,Innovation, and Infrastructure",9
8
+ 6, while ldcs in asia have made considerable progress african ldcs would need to change the current trajectory and accelerate progress significantly to attain the target by ,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,african ldcs,"Goal 9: Industries,Innovation, and Infrastructure",9
9
+ 7, however medium high and high technology industries demonstrated robust growth rates,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,robust growth,"Goal 9: Industries,Innovation, and Infrastructure",9
10
+ 8, as of per cent of the world s population was within reach of a mobile broadband network but some areas remain underserved,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,mobile broadband,"Goal 9: Industries,Innovation, and Infrastructure",9
11
+ 9, investment in research and development globally as well as financing for economic infrastructure in developing countries has increased and impressive progress has been made in mobile connectivity with almost the entire world population per cent living within reach of a mobile cellular signal,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,mobile connectivity,"Goal 9: Industries,Innovation, and Infrastructure",9
12
+ 10, investments in infrastructure transport irrigation energy and information and communication technology are crucial to achieving sustainable development and empowering communities in many countries,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,investments infrastructure,"Goal 9: Industries,Innovation, and Infrastructure",9
13
+ 11, to achieve goal by it is also essential to support ldcs invest in advanced technologies lower carbon emissions and increase mobile broadband access,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,support ldcs,"Goal 9: Industries,Innovation, and Infrastructure",9
14
+ 12, inclusive and sustainable industrialization together with innovation and infrastructure can unleash dynamic and competitive economic forces that generate employment and income,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,sustainable industrialization,"Goal 9: Industries,Innovation, and Infrastructure",9
15
+ 13, they play a key role in introducing and promoting new technologies facilitating international trade and enabling the efficient use of resources,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,technologies facilitating,"Goal 9: Industries,Innovation, and Infrastructure",9
16
+ 14, the growth of new industries means improvement in the standard of living for many of us,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,new industries,"Goal 9: Industries,Innovation, and Infrastructure",9
17
+ 15, if industries pursue sustainability this approach will have a positive effect on the environment,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,sustainability approach,"Goal 9: Industries,Innovation, and Infrastructure",9
18
+ 16, ending poverty would be more difficult given the industry s role as a core driver of the global development agenda to eradicate poverty and advance sustainable development,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,ending poverty,"Goal 9: Industries,Innovation, and Infrastructure",9
19
+ 17, additionally failing to improve infrastructure and promote technological innovation could translate into poor health care inadequate sanitation and limited access to education,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,inadequate sanitation,"Goal 9: Industries,Innovation, and Infrastructure",9
20
+ 18, establish standards and promote regulations that ensure company projects and initiatives are sustainably managed,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,promote regulations,"Goal 9: Industries,Innovation, and Infrastructure",9
21
+ 19, collaborate with ngos and the public sector to help promote sustainable growth within developing countries,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,collaborate ngos,"Goal 9: Industries,Innovation, and Infrastructure",9
22
+ 20, think about how industry impacts on your life and well being and use social media to push for policymakers to prioritize the sdgs,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,use social,"Goal 9: Industries,Innovation, and Infrastructure",9
23
+ 21, facts and figuresgoal targetslinksfacts and figures,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,targetslinksfacts figures,"Goal 9: Industries,Innovation, and Infrastructure",9
24
+ 22,the manufacturing industry s recovery from the coronavirus disease covid pandemic remains incomplete and uneven,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,industry recovery,"Goal 9: Industries,Innovation, and Infrastructure",9
25
+ 23, global manufacturing growth slowed down to ,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,manufacturing growth,"Goal 9: Industries,Innovation, and Infrastructure",9
26
+ 24, per cent in from ,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,cent 2022,"Goal 9: Industries,Innovation, and Infrastructure",9
27
+ 25, progress in least developed countries ldcs is far from sufficient to reach the target of doubling the manufacturing share in gross domestic product gdp by ,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,doubling manufacturing,"Goal 9: Industries,Innovation, and Infrastructure",9
28
+ 26, however medium high and high technology industries demonstrated robust growth rates,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,robust growth,"Goal 9: Industries,Innovation, and Infrastructure",9
29
+ 27, as of per cent of the world s population was within reach of a mobile broadband network but some areas remain underserved,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,mobile broadband,"Goal 9: Industries,Innovation, and Infrastructure",9
30
+ 28, global carbon dioxide co emissions from energy combustion and industrial processes grew by ,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,co2 emissions,"Goal 9: Industries,Innovation, and Infrastructure",9
31
+ 29, per cent to a new all time high of ,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,high 36,"Goal 9: Industries,Innovation, and Infrastructure",9
32
+ 30, billion metric tons well below global gdp growth reverting to a decade long trend of decoupling emissions and economic growth,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,gdp growth,"Goal 9: Industries,Innovation, and Infrastructure",9
33
+ 31, to achieve goal by it is essential to support ldcs invest in advanced technologies lower carbon emissions and increase mobile broadband access,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,support ldcs,"Goal 9: Industries,Innovation, and Infrastructure",9
34
+ 32, the share of manufacturing employment in total employment continued to decline worldwide falling from ,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,manufacturing employment,"Goal 9: Industries,Innovation, and Infrastructure",9
35
+ 33, as of of the world s population was within reach of a mobile broadband network but some areas remain underserved,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,mobile broadband,"Goal 9: Industries,Innovation, and Infrastructure",9
36
+ 34, global expenditure on research and development r d as a proportion of gdp increased from ,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,global expenditure,"Goal 9: Industries,Innovation, and Infrastructure",9
37
+ 35, the number of researchers per million inhabitants has increased worldwide from in and in to in ,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,researchers million,"Goal 9: Industries,Innovation, and Infrastructure",9
38
+ 36,source the sustainable development goals report goal targets ,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,sustainable development,"Goal 9: Industries,Innovation, and Infrastructure",9
39
+ 37, develop quality reliable sustainable and resilient infrastructure including regional and transborder infrastructure to support economic development and human well being with a focus on affordable and equitable access for all ,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,infrastructure including,"Goal 9: Industries,Innovation, and Infrastructure",9
40
+ 38, promote inclusive and sustainable industrialization and by significantly raise industry s share of employment and gross domestic product in line with national circumstances and double its share in least developed countries ,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,industrialization 2030,"Goal 9: Industries,Innovation, and Infrastructure",9
41
+ 39, increase the access of small scale industrial and other enterprises in particular in developing countries to financial services including affordable credit and their integration into value chains and markets ,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,countries financial,"Goal 9: Industries,Innovation, and Infrastructure",9
42
+ 40, by upgrade infrastructure and retrofit industries to make them sustainable with increased resource use efficiency and greater adoption of clean and environmentally sound technologies and industrial processes with all countries taking action in accordance with their respective capabilities ,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,sustainable increased,"Goal 9: Industries,Innovation, and Infrastructure",9
43
+ 41, enhance scientific research upgrade the technological capabilities of industrial sectors in all countries in particular developing countries including by encouraging innovation and substantially increasing the number of research and development workers per million people and public and private research and development spending ,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,enhance scientific,"Goal 9: Industries,Innovation, and Infrastructure",9
44
+ 42,a facilitate sustainable and resilient infrastructure development in developing countries through enhanced financial technological and technical support to african countries least developed countries landlocked developing countries and small island developing states ,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,infrastructure development,"Goal 9: Industries,Innovation, and Infrastructure",9
45
+ 43,b support domestic technology development research and innovation in developing countries including by ensuring a conducive policy environment for inter alia industrial diversification and value addition to commodities ,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,developing countries,"Goal 9: Industries,Innovation, and Infrastructure",9
46
+ 44,c significantly increase access to information and communications technology and strive to provide universal and affordable access to the internet in least developed countries by links sg s strategy on new technologies un development programme un environment programme un habitat un office for disaster risk reduction un industrial development organization how industrial development matters to the well being of the population industrial development report of unido industrialization as a driver of sustained prosperity international telecommunication union un office for project services international civil aviation organization fast facts industry innovation and infrastructure infographic industry innovation and infrastructure related news un calls for urgent action to enable opportunities mitigate risks for information and digital technology gallery un calls for urgent action to enable opportunities mitigate risks for information and digital technologymartin t oct recognizing both the opportunities and risks offered by rapid advancements in information and digital technology the th internet governance forum igf wrapped up its series of high level discussions and multistakeholder dialogues in kyoto japan today,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,internet governance,"Goal 9: Industries,Innovation, and Infrastructure",9
47
+ 45,read more leveraging benefits of rapid advances in artificial intelligence and digitalisation while mitigating risks underpins un forum on internet governance gallery,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,internet governance,"Goal 9: Industries,Innovation, and Infrastructure",9
48
+ 46,leveraging benefits of rapid advances in artificial intelligence and digitalisation while mitigating risks underpins un forum on internet governance gallery leveraging benefits of rapid advances in artificial intelligence and digitalisation while mitigating risks underpins un forum on internet governancemartin t oct against a backdrop of growing geopolitical tensions proliferating crises and widening inequalities the challenges facing the global community in reaching the agenda for sustainable development are vast,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,internet governancemartin2023,"Goal 9: Industries,Innovation, and Infrastructure",9
49
+ 47, with the internet holding a critical role in navigating these complexities the th un internet governance forum igf got underway in kyoto japan today under the overarching theme the internet we want empowering all people ,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,internet governance,"Goal 9: Industries,Innovation, and Infrastructure",9
50
+ 48,read more internet governance forum we must act now to tackle the threats of cyberspacemartin t nov global efforts need to be stepped up to address an increase in cross border cyberattacks hate speech and security breaches according to the more than delegates that took part in the internet governance forum igf that concluded today in berlin,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,threats cyberspacemartin2023,"Goal 9: Industries,Innovation, and Infrastructure",9
51
+ 49,read more nextload more postsrelated videosdpicampaigns t ecosoc youth forum robotics team sdg media zone ecosoc youth forum dpicampaigns t sdglive at wef digital technology and trade for global growthdpicampaigns t sdglive at wef innovative financing for hershare this story choose your platform,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,2018dpicampaigns2018,"Goal 9: Industries,Innovation, and Infrastructure",9
52
+ 50, the goals read moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread moreread more sdg resources across the unsustainable development knowledge platform united nations sustainable development group united to reform united nations homepage sdg media zone un newsdroughts are causing record devastation worldwide un backed report revealspakistan reels under monsoon deluge as death toll climbsworld horse day honoring humanity s oldest and most loyal companionoverlooked and underestimated sand and dust storms wreak havoc across borders follow us united nations a z site index contact copyright faq fraud alert privacy notice terms of use page load link go to top,https://www.un.org/sustainabledevelopment/infrastructure-industrialization,united nations,"Goal 9: Industries,Innovation, and Infrastructure",9
53
+ 0,industry department of economic and social affairs sorry you need to enable javascript to visit this website,https://sdgs.un.org/topics/industry,industry department,"Goal 9: Industries,Innovation, and Infrastructure",9
54
+ 1, skip to main content welcome to the united nations englishfran ais espa ol department of economic and social affairs sustainable development main navigation home sdg knowledge sustainable development goals key topics agenda capacity development publications natural resources forum intergovernmental processes high level political forum on sustainable development un conferences and high level events related to sustainable development multi stakeholder forum on science technology and innovation for the sdgs second committee of the un general assembly samoa pathway ecosoc partnership forum hlpf sids th international conference on small island developing states small island developing states multidimensional vulnerability index for sids united nations sids partnerships awards sids partnership framework sdg actions sdg actions platform faq about the submission of voluntary commitments sdg actions engage events webinars member states un system stakeholder engagement news about topics industry related sdgs build resilient infrastructure promote inclu ,https://sdgs.un.org/topics/industry,sustainable development,"Goal 9: Industries,Innovation, and Infrastructure",9
55
+ 2, description publications events documents statements milestones description,https://sdgs.un.org/topics/industry,description publications,"Goal 9: Industries,Innovation, and Infrastructure",9
56
+ 3,engage events webinars member states un system stakeholder engagement news about topics industry related sdgs build resilient infrastructure promote inclu ,https://sdgs.un.org/topics/industry,stakeholder engagement,"Goal 9: Industries,Innovation, and Infrastructure",9
57
+ 4, description publications events documents statements milestones description inclusive and sustainable industrial development has been incorporated together with resilient infrastructure and innovation as sustainable development goal in the agenda for sustainable development,https://sdgs.un.org/topics/industry,sustainable development,"Goal 9: Industries,Innovation, and Infrastructure",9
58
+ 5, both the agenda and the addis ababa action agenda focus on the relevance of inclusive and sustainable industrial development as the basis for sustainable economic growth,https://sdgs.un.org/topics/industry,inclusive sustainable,"Goal 9: Industries,Innovation, and Infrastructure",9
59
+ 6, in its paragraph the addis ababa action agenda commits to identify actions and address critical gaps relevant to the agenda and the sustainable development goals with an aim to harness their considerable synergies so that the implementation of one will contribute to the progress of others ,https://sdgs.un.org/topics/industry,2030 agenda,"Goal 9: Industries,Innovation, and Infrastructure",9
60
+ 7, the agenda has therefore identified a range of cross cutting areas that build on these synergies,https://sdgs.un.org/topics/industry,cutting areas,"Goal 9: Industries,Innovation, and Infrastructure",9
61
+ 8, among these cross cutting areas paragraphs and of the addis ababa action agenda respectively focus on promoting inclusive and sustainable industrialization and on generating full and productive employment and decent work for all and promoting micro small and medium size enterprises,https://sdgs.un.org/topics/industry,addis ababa,"Goal 9: Industries,Innovation, and Infrastructure",9
62
+ 9, prior to the agenda for sustainable development and the addis ababa action agenda the relevance of inclusive and sustainable industrial development as the basis for sustainable economic growth was also addressed by the lima declaration towards inclusive and sustainable industrial development adopted in december ,https://sdgs.un.org/topics/industry,inclusive sustainable,"Goal 9: Industries,Innovation, and Infrastructure",9
63
+ 10, paragraph of the lima declaration reads industrialization is a driver of development,https://sdgs.un.org/topics/industry,lima declaration,"Goal 9: Industries,Innovation, and Infrastructure",9
64
+ 11, industry increases productivity job creation and generates income thereby contributing to poverty eradication and addressing other development goals as well as providing opportunities for social inclusion including gender equality empowering women and girls and creating decent employment for the youth,https://sdgs.un.org/topics/industry,increases productivity,"Goal 9: Industries,Innovation, and Infrastructure",9
65
+ 12, as industry develops it drives an increase of value addition and enhances the application of science technology and innovation therefore encouraging greater investment in skills and education and thus providing the resources to meet broader inclusive and sustainable development objectives,https://sdgs.un.org/topics/industry,innovation encouraging,"Goal 9: Industries,Innovation, and Infrastructure",9
66
+ 13, the mutually reinforcing relationship between social and industrial development and the potential of industrialization to promote directly and indirectly a variety of social objectives such as employment creation poverty eradication gender equality labour standards and greater access to education and health care was also identified in chapter ii of the johannesburg plan of implementation,https://sdgs.un.org/topics/industry,johannesburg plan,"Goal 9: Industries,Innovation, and Infrastructure",9
67
+ 14, agenda and the rio declaration on environment and development provide the fundamental framework for policy discussion and action on matters related to industry and sustainable development,https://sdgs.un.org/topics/industry,sustainable development,"Goal 9: Industries,Innovation, and Infrastructure",9
68
+ 15, although the role of business and industry as a major group is specifically addressed in chapter issues related to industry and economic development consumption and production patterns social development and environmental protection cut across the entirety of agenda including its section means of implementation,https://sdgs.un.org/topics/industry,economic development,"Goal 9: Industries,Innovation, and Infrastructure",9
69
+ 16, publications industrial development report demand for manufacturing driving inclusive and sustainable industrial development,https://sdgs.un.org/topics/industry,sustainable industrial,"Goal 9: Industries,Innovation, and Infrastructure",9
70
+ 17,publications industrial development report demand for manufacturing driving inclusive and sustainable industrial development,https://sdgs.un.org/topics/industry,sustainable industrial,"Goal 9: Industries,Innovation, and Infrastructure",9
71
+ 18, read the document transforming our world the agenda for sustainable development this agenda is a plan of action for people planet and prosperity,https://sdgs.un.org/topics/industry,agenda sustainable,"Goal 9: Industries,Innovation, and Infrastructure",9
72
+ 19, it also seeks to strengthen universal peace in larger freedom we recognize that eradicating poverty in all its forms and dimensions including extreme poverty is the greatest global challenge and an indispensable requirement for su,https://sdgs.un.org/topics/industry,eradicating poverty,"Goal 9: Industries,Innovation, and Infrastructure",9
73
+ 20, read the document unido annual report following the adoption of the lima declaration towards inclusive and sustainable industrial development by the fifteenth session of the general conference in december unido began the year its first full year under the leadership of the new director general with three critical management ,https://sdgs.un.org/topics/industry,2013 unido,"Goal 9: Industries,Innovation, and Infrastructure",9
74
+ 21, read the document introduction to unido inclusive and sustainable industrial development today poverty remains the central challenge for our world but we have effective means to eradicate it within the next generation,https://sdgs.un.org/topics/industry,inclusive sustainable,"Goal 9: Industries,Innovation, and Infrastructure",9
75
+ 22, industry continues to be a proven and crucially important source of employment accounting for almost million jobs worldwide representing about a fifth of the worl,https://sdgs.un.org/topics/industry,industry continues,"Goal 9: Industries,Innovation, and Infrastructure",9
76
+ 23, read the document china sustainable development report the road to ecological civilization the next decade ,https://sdgs.un.org/topics/industry,china sustainable,"Goal 9: Industries,Innovation, and Infrastructure",9
77
+ 24, read the document mexico low carbon development for mexico the low carbon development for mexico report by esmap provides an analysis of how mexico is able to substantially reduce its carbon emissions whilst at the same time growing the economy,https://sdgs.un.org/topics/industry,analysis mexico,"Goal 9: Industries,Innovation, and Infrastructure",9
78
+ 25, the document begins by asserting that low carbon development is indeed possible in mexico however there are man,https://sdgs.un.org/topics/industry,carbon development,"Goal 9: Industries,Innovation, and Infrastructure",9
79
+ 26, read the document ukraine oecd investment policy reviews ukraine the oecd investment policy review of ukraine assesses the country s ability to comply with the principles of liberalisation transparency and nondiscrimination and to bring its investment policy closer to recognised international standards such as the oecd declaration on international investmen,https://sdgs.un.org/topics/industry,ukraine oecd,"Goal 9: Industries,Innovation, and Infrastructure",9
80
+ 27, read the document brazil low carbon country case study in order to mitigate the impacts of climate change the world must drastically reduce global ghg emissions in the coming decades,https://sdgs.un.org/topics/industry,climate change,"Goal 9: Industries,Innovation, and Infrastructure",9
81
+ 28, according to the ipcc to prevent the global mean temperature from rising over oc atmospheric ghg concentrations must be stabilized at ppm,https://sdgs.un.org/topics/industry,atmospheric ghg,"Goal 9: Industries,Innovation, and Infrastructure",9
82
+ 29, read the document vietnam implementation of sustainable development national report at the un conference on sustainable development rio vietnam has taken part in the earth summit on environment and development in rio de janeiro brazil in the world summit on sustainable development in johannesburg south africa in signed the rio declaration on environment and development the global agenda etc,https://sdgs.un.org/topics/industry,sustainable development,"Goal 9: Industries,Innovation, and Infrastructure",9
83
+ 30,argentina foreign investment and sustainable development in argentina foreign direct investment fdi has played a major role in argentina s during the s a period of deep structural reforms largely based on the neoliberal washington consensus argentina was one of the main destinations for fdi among emerging markets,https://sdgs.un.org/topics/industry,development argentina,"Goal 9: Industries,Innovation, and Infrastructure",9
84
+ 31, read the document russia the th human development report for the russian federation energy sector and sustainable development the national human development report nhdp for the russian federation entitled energy sector and sustainable development outlines issues associated with a prime concern in russia today which is development of the fuel energy sector,https://sdgs.un.org/topics/industry,energy sector,"Goal 9: Industries,Innovation, and Infrastructure",9
85
+ 32, the authors provide a detailed analysis of the situat,https://sdgs.un.org/topics/industry,analysis situat,"Goal 9: Industries,Innovation, and Infrastructure",9
86
+ 33, read the document turkey s sustainable development report claiming the future turkey has prepared for the united nations conference on sustainable development rio assembled in rio de janeiro in june being aware of the fact that turkey is an actor which should be more sensitive and effective to solve global problems based on its rapid change and development trend es,https://sdgs.un.org/topics/industry,turkey sustainable,"Goal 9: Industries,Innovation, and Infrastructure",9
87
+ 34, read the document pagination next page last last page events see all events jul thu session accelerating resilient recovery role of infrastructure sector and entrepreneurship accelerating resilient recovery role of infrastructure sector and entrepreneurship partners un habitat unctad international anti corruption academy iaca think tank altercontacts live stream nbsp return to nbsp main website virtual jul tue session sustainability in action the role of facility management and electrotechnology s impact on the sdgs a new story sustainability in action the role of facility management and electrotechnology s impact on the sdgs a new story partners ifma foundation international electrotechnical commission iec return to nbsp main website conference room jul mon fri sdgs learning training and practice nbsp introduction the united nations high level political forum on sustainable development hlpf in was held from july under the auspices of the economic and social council,https://sdgs.un.org/topics/industry,sustainable development,"Goal 9: Industries,Innovation, and Infrastructure",9
88
+ 35, this includes the three day ministerial segment of the forum from july as part of the hi new york virtual mar wed expert group meeting on sdg industry innovation and infrastructure and its interlinkages with other sdgs march austria vienna in preparation for the review of sdg and its role in advancing sustainable development across the agenda nbsp un department of economic and social affairs division for sustainable development goals un desa dsdg and the united nations industrial development organization unido togeth austria vienna ,https://sdgs.un.org/topics/industry,advancing sustainable,"Goal 9: Industries,Innovation, and Infrastructure",9
89
+ 36,austria vienna jan wed expert group meetings on hlpf thematic review the theme of the high level political forum on sustainable development hlpf is accelerating the recovery from the coronavirus disease covid and the full implementation of the agenda for sustainable development at all levels ,https://sdgs.un.org/topics/industry,sustainable development,"Goal 9: Industries,Innovation, and Infrastructure",9
90
+ 37, the hlpf will have an in depth review of sustainabl oct mon wed world circular economy forum the ministry of the environment of japan and sitra will host the nd world circular economy forum in yokohama japan on october ,https://sdgs.un.org/topics/industry,sustainabl 2018,"Goal 9: Industries,Innovation, and Infrastructure",9
91
+ 38, wcef presents world s best circular economy solutions and will bring together key thinkers and doers from around the world,https://sdgs.un.org/topics/industry,circular economy,"Goal 9: Industries,Innovation, and Infrastructure",9
92
+ 39, yokohama japan nov mon fri th session of the general conference now more than ever inclusive and sustainable industrial development isid is central to global development and is playing an important role in achieving the agenda for sustainable development,https://sdgs.un.org/topics/industry,development isid,"Goal 9: Industries,Innovation, and Infrastructure",9
93
+ 40, this is reflected most prominently in sustainable development goal sdg on industry innovation vienna austria nov mon tue international conference on circular economy in automotive industries the united nations industrial development organization unido and the ministries of environment and economy of the slovak republic are organizing with support from the embassies of the netherlands and of norway in bratislava the international conference on circular economy in automotive industrie bratislava slovakia sep mon tue unido kcg conference developing inclusive and sustainable global value chains in the digital age the conference will take place on september in kiel germany,https://sdgs.un.org/topics/industry,sustainable development,"Goal 9: Industries,Innovation, and Infrastructure",9
94
+ 41, it aims at bringing together academics policy makers representatives from international organizations and businesses to discuss the challenges and opportunities and the possible future of the proliferation of global valu kiel germany aug tue fri accelerated africa summit vienna international centre displaying of title type date hlfp thematic review of sdg build resilient infrastructure promote inclusive and sustainable background notes apr industrial development board of unido other documents jun a res addis ababa action agenda of the third international conference on financing for development addis resolutions and decisions jul a eradication of poverty and other development issues industrial development cooperation resolutions and decisions dec e cn,https://sdgs.un.org/topics/industry,industrial development,"Goal 9: Industries,Innovation, and Infrastructure",9
95
+ 42, rethinking and strengthening social development in the contemporary world secretary general reports nov tst issues brief sustained and inclusive economic growth infrastructure development and technical support team tst issues briefs oct ,https://sdgs.un.org/topics/industry,tst issues,"Goal 9: Industries,Innovation, and Infrastructure",9
96
+ 43,tst issues brief sustained and inclusive economic growth infrastructure development and technical support team tst issues briefs oct background paper no,https://sdgs.un.org/topics/industry,tst issues,"Goal 9: Industries,Innovation, and Infrastructure",9
97
+ 44, industry as a partner for sustainable development work in progress opportunities and background papers special studies apr e cn,https://sdgs.un.org/topics/industry,partner sustainable,"Goal 9: Industries,Innovation, and Infrastructure",9
98
+ 45, policy options and possible actions to expedite implementation industrial development secretary general reports dec e cn,https://sdgs.un.org/topics/industry,implementation industrial,"Goal 9: Industries,Innovation, and Infrastructure",9
99
+ 46, policy options and possible actions to expedite implementation inter linkages and cross secretary general reports dec e cn,https://sdgs.un.org/topics/industry,policy options,"Goal 9: Industries,Innovation, and Infrastructure",9
100
+ 47, major groups priorities for action on energy for sustainable development industrial meeting reports dec industrial development other documents dec e cn,https://sdgs.un.org/topics/industry,energy sustainable,"Goal 9: Industries,Innovation, and Infrastructure",9
101
+ 48, industry and social development secretary general reports feb e cn,https://sdgs.un.org/topics/industry,development secretary,"Goal 9: Industries,Innovation, and Infrastructure",9
102
+ 49, industry and environmental protection secretary general reports feb e cn,https://sdgs.un.org/topics/industry,industry environmental,"Goal 9: Industries,Innovation, and Infrastructure",9
103
+ 50, industry and economic development secretary general reports feb e cn,https://sdgs.un.org/topics/industry,development secretary,"Goal 9: Industries,Innovation, and Infrastructure",9
104
+ 51, industry and sustainable development secretary general reports jan pagination next next page last last page displaying of title category date sort ascending major groups women ngos children youth and other stakeholders co chairs meetings with major groups jun italy spain and turkey industrialization and promoting equality between nations sustainable cities and human settlements may denmark ireland and norway industrialization and promoting equality between nations sustainable cities and human settlements may group of and china industrialization and promoting equality between nations sustainable cities and human settlements may china indonesia and kazakhstan industrialization and promoting equality between nations sustainable cities and human settlements may montenegro and slovenia industrialization and promoting equality between nations sustainable cities and human settlements may canada israel and united states of america industrialization and promoting equality between nations sustainable cities and human settlements may brazil and nicaragua industrialization and promoting equality between nations sustainable cities and human settlements may least developed countries ldcs industrialization and promoting equality between nations sustainable cities and human settlements may ethiopia industrialization and promoting equality between nations sustainable cities and human settlements may bhutan thailand and viet nam industrialization and promoting equality between nations sustainable cities and human settlements may southern africa region industrialization and promoting equality between nations sustainable cities and human settlements may cyprus singapore and united arab emirates industrialization and promoting equality between nations sustainable cities and human settlements may ,https://sdgs.un.org/topics/industry,sustainable cities,"Goal 9: Industries,Innovation, and Infrastructure",9
105
+ 52,southern africa region industrialization and promoting equality between nations sustainable cities and human settlements may cyprus singapore and united arab emirates industrialization and promoting equality between nations sustainable cities and human settlements may korea industrialization and promoting equality between nations sustainable cities and human settlements may india industrialization and promoting equality between nations sustainable cities and human settlements may pagination next next page last last page milestones january aaaa para the addis ababa action agenda has identified a range of cross cutting areas able to build on synergies and identify actions to address critical gaps relevant to the agenda for sustainable development and the sustainable development goals,https://sdgs.un.org/topics/industry,africa region,"Goal 9: Industries,Innovation, and Infrastructure",9
106
+ 53, among these areas the promotion of inclusive and sustainable industrialization the generation of full and productive employment and decent work for all as well as the promotion of micro small and medium size enterprises are the cross cutting areas related to sustainable industrial development,https://sdgs.un.org/topics/industry,sustainable industrialization,"Goal 9: Industries,Innovation, and Infrastructure",9
107
+ 54, january sdg sustainable development goal incorporates inclusive and sustainable industrialization and fostering innovation with resilient infrastructure and innovation,https://sdgs.un.org/topics/industry,sdg sustainable,"Goal 9: Industries,Innovation, and Infrastructure",9
108
+ 55, agenda and sdg in particular focus on the relevance of inclusive and sustainable industrial development as the basis for sustainable economic growth,https://sdgs.un.org/topics/industry,sustainable industrial,"Goal 9: Industries,Innovation, and Infrastructure",9
109
+ 56, january lima declaration the lima declaration acknowledges the importance of industrialization as a driver of development,https://sdgs.un.org/topics/industry,lima declaration,"Goal 9: Industries,Innovation, and Infrastructure",9
110
+ 57, industry increases productivity job creation and generates income thereby contributing to poverty eradication and addressing other development goals as well as providing opportunities for social inclusion including gender equality empowering women and girls and creating decent employment for the youth,https://sdgs.un.org/topics/industry,increases productivity,"Goal 9: Industries,Innovation, and Infrastructure",9
111
+ 58, january future we want para and para among the major groups to be involved in the promotion of sustainable development paragraph includes business and industry,https://sdgs.un.org/topics/industry,sustainable development,"Goal 9: Industries,Innovation, and Infrastructure",9
112
+ 59, industries as well as other major groups and stakeholders are identified as actors contributing to decision making planning and implementation of policies and programmes for sustainable development at all levels,https://sdgs.un.org/topics/industry,stakeholders identified,"Goal 9: Industries,Innovation, and Infrastructure",9
113
+ 60, paragraph reiterates the need to actively engage both the public and private sectors as well as to promote the active participation of the private sector to ensure implementation of sustainable development,https://sdgs.un.org/topics/industry,implementation sustainable,"Goal 9: Industries,Innovation, and Infrastructure",9
114
+ 61, chapter of the johannesburg plan of implementation identifies the mutually reinforcing relationship between social and industrial development and the potential of industrialization to promote social objectives,https://sdgs.un.org/topics/industry,johannesburg plan,"Goal 9: Industries,Innovation, and Infrastructure",9
115
+ 62, agenda and the rio declaration on environment and development provide the fundamental framework for policy discussion and action on matters related to industry and sustainable development,https://sdgs.un.org/topics/industry,sustainable development,"Goal 9: Industries,Innovation, and Infrastructure",9
116
+ 63, although the role of business and industry as a major group is specifically addressed in chapter issues related to industry and economic development consumption and production patterns social development and environmental protection cut across the entirety of agenda including its section means of implementation,https://sdgs.un.org/topics/industry,economic development,"Goal 9: Industries,Innovation, and Infrastructure",9
117
+ 64,events see all events jul session accelerating resilient recovery role of infrastructure sector and entrepreneurship thu thu jul related goals jul session sustainability in action the role of facility management and electrotechnology s impact on the sdgs a new story tue tue jul related goals jul sdgs learning training and practice mon fri jul related goals mar expert group meeting on sdg industry innovation and infrastructure and its interlinkages with other sdgs march austria vienna wed wed mar related goals join the conversation footer menu contact copyright fraud alert privacy notice terms of use,https://sdgs.un.org/topics/industry,infrastructure sector,"Goal 9: Industries,Innovation, and Infrastructure",9
src/train_bert/training_data/KeywordPayload.json ADDED
@@ -0,0 +1 @@
 
 
1
+ {"poverty": ["social summit", "2022 nowcasting", "government spending", "hunger malnutrition", "engagement policymaking", "initiatives social", "suffer hunger", "social protection", "poverty 2030", "prosperity policy", "international efforts", "reduction poverty", "inequalities persisted", "poverty eradication", "education health", "hunger levels", "human beings", "conquest poverty", "poverty alleviation", "private sector", "energy sector", "eradicating poverty", "sustainable development", "end poverty", "resilience poor", "globalization balance", "development goals", "mdgs", "education incomes", "15 revised", "commitment copenhagen", "poverty", "poverty consumption", "secretary general", "topics poverty", "analysis situat", "goals assessment", "juncao technology", "vulnerable population", "food security", "reduce poverty", "combating poverty", "care people", "food prices", "momentum poverty", "mobilizing financial", "children recession", "indigenous youth", "ecotourism poverty", "united nations", "extreme poverty", "monsoon emergency", "care revolution", "1997 ga", "csd", "complexity poverty", "recommendations poverty", "human development", "poverty secretary", "turkey sustainable", "intergovernmental policy", "agenda sustainable", "uniform solution", "2030 reduce", "poverty reduction", "millennium development", "copenhagen declaration", "power parity", "drought events", "child poverty", "summit social", "productive employment", "objectives agreement", "poverty measurement", "poverty increased", "development argentina", "figuresgoal targetslinksfacts", "china sustainable", "poverty dimensions", "eradication poverty", "growth undermines", "damaging drought", "promote economic", "page events", "governments help", "sdg poverty", "great recession", "mdg aims", "microfinance", "world pays", "poverty headcount", "improve lives", "social services", "2015 proportion", "protection covid", "description publications", "poverty 2008", "innovation critical", "number poor", "forest iff", "agenda 21", "poverty complex", "world population", "19 pandemic", "meeting sdg", "ensuring sustainable", "developing countries", "sanitation"], "hunger": ["2030 nutrition", "better future", "visibility summit", "billion people", "social capital", "hunger malnutrition", "conference room", "food production", "suffer hunger", "ocean economic", "stakeholder dialogues", "desertification", "undernourishment estimates", "prices agricultural", "namibia rural", "sustainable development", "mauritius strategy", "development goals", "worldwide lack", "inadequate micronutrient", "malnutrition 2030", "agriculture rural", "integrated decision", "environmental issues", "unicef nutrition", "zero hunger", "food security", "goal sdg", "nutrition security", "eradicate hunger", "africa regional", "sustainable agricultural", "indigenous youth", "hungry people", "hunger limiting", "rural development", "nutrition icn2", "economist fao", "declaration nutrition", "forests agricultural", "enhance agricultural", "implementation land", "hunger 2030", "csd sustainable", "agricultural productivity", "cluster agriculture", "agenda sustainable", "environmental biology", "croplife mauritius", "join conversation", "food commodity", "productive employment", "million children", "families food", "sustainable agriculture", "emerging issues", "2024 hlpf", "world hunger", "poverty linking", "sdg sdg2", "nutrition icn", "unhealthy diets", "organization fao", "food scarcity", "world pays", "2015 proportion", "food day", "commission adopted", "libralato oceanography", "ethiopia 2023", "export subsidies", "sdgs virtual", "hunger challenge", "agenda 21", "unosat program", "poverty sdg", "resilient agricultural", "chronic hunger", "land restoration", "fisheries", "irrigation storage", "children stunted", "csd annually", "agriculture planet", "food", "ramasamy selvaraju", "climate change", "helena semedo", "potential agricultural", "millennium declaration", "implementation mauritius", "electricity educational", "private sector", "supplies nutritionally", "fao conference", "negotiated policy", "agrostat faostat", "2022 approximately", "nutrition dietetics", "proper nutrition", "future want", "farmer knowledge", "crisis", "juncao technology", "rome declaration", "sufficient nourishment", "improved sanitation", "jmps expert", "wto doha", "celebrated 1981", "united nations", "rural population", "care revolution", "consumer voter", "double agricultural", "agricultural markets", "ministers attendance", "pacific community", "sustainable rural", "partnerships", "hunger", "biotechnology sustainable", "12nextload postsshare", "births attended", "land desertification", "food summit", "guyana session", "scaling nutrition", "risks unfccc", "exacerbates poverty", "laments educational", "drought events", "alarming 391", "development sard", "meeting sdg2", "sustainable 100", "rural energy", "food insecurity", "agriculture systems", "damaging drought", "land degradation", "agriculture special", "mdg aims", "malnutrition including", "targetslinksfacts figures", "investment agriculture", "diversity seeds", "electrification rural", "goals sustainable", "pagination page", "free hunger", "youth meet", "estimate hunger", "second birthday", "sustainable food", "farmers organizations", "poverty hunger", "island developing", "2015 disparities", "eradicating poverty", "marine transport", "improve livelihoods", "delegates adopted"], "health": ["adequate housing", "children health", "sources food", "immunization world", "pollution", "economic improvements", "target mortality", "million volunteers", "coverage reproductive", "term waste", "health services", "financial policies", "maternal mortality", "infant deaths", "hiv tb", "healthy lives", "living sustainably", "1948 constitution", "provides conceptual", "eradicating poverty", "health challenges", "sustainable development", "health coverage", "sdg", "covid 19", "health dialogue", "regulations ebola", "foster resilience", "pandemic ongoing", "women children", "healthy productive", "reproductive health", "focus people", "addressing disparities", "agriculture biodiversity", "environmental issues", "universal health", "development jpoi", "vulnerable population", "demand meat", "2025 hlpf", "sids partnerships", "drugs 2016", "aids response", "united nations", "traffic accidents", "neonatal mortality", "global health", "fighting hiv", "hiv prevention", "agenda", "vaccination campaigns", "accordance doha", "vaccinating children", "roll malaria", "nations environment", "denarau fiji", "agenda sustainable", "health workforce", "implementing sustainable", "reducing maternal", "diseases prevention", "health achieving", "tobacco control", "priorities biodiversity", "healthy economies", "aids malaria", "vital healthcare", "poverty 2019", "2020 covid", "hlpf 2025", "srh hiv", "challenge uhc", "guinea sustainable", "attended delegations", "emerging issues", "geneva switzerland", "awareness community", "epidemics aids", "strides improving", "premature mortality", "substance abuse", "health agenda", "climate sdg", "targetslinksfacts figures", "health population", "inequalities health", "summit sustainable", "population consumption", "goals sustainable", "children immunized", "polio paralyzing", "description publications", "harnessing synergies", "childhood vaccinations", "events webinars", "polio eradication", "women died", "hiv treatment", "agenda 21", "paediatric hiv", "health sustainable", "environmental health", "diseases 2030", "health systems", "paris pandemic", "reduce mortality", "health unfpa", "2020 sdg7", "developing countries", "mdgs secretary", "treat waste", "health care"], "education": ["sdg learning", "beginning adventure", "primary education", "worldwide hesi", "comple istanbul", "lobby governments", "primary schooling", "esd agenda", "literacy numeracy", "hlpf 2022", "science policy", "digitalized countries", "voluntary commitments", "content learning", "eradicating poverty", "school 2030", "sustainable development", "2024 hesi", "sustainability plans", "muscat agreement", "transforming education", "future want", "poverty", "equitable education", "girls groups", "education financing", "gap hesi", "gender parity", "formal education", "development desd", "united nations", "launch commitment", "initiative hesi", "education department", "incheon declaration", "education relevant", "education facilities", "200 volunteers", "education sustainability", "tertiary education", "ict skills", "gender equality", "africa access", "sdg aims", "agenda sustainable", "partners gap", "stakeholder engagement", "schooling boys", "equator prize", "hesi networking", "education 2030", "financing gap", "tool better", "action programme", "millennium development", "sustainability initiative", "education adopted", "gender disparities", "hesi global", "nepal unicefshare", "culture sustainable", "progress far", "education priority", "school completion", "global action", "stakeholders programme", "empowers people", "2030 substantially", "letmelearn campaign", "percentage students", "education sustainable", "disadvantages education", "image height", "targetslinksfacts figures", "political agreements", "partner networks", "access education", "dakar framework", "fostering tolerance", "numeracy literacy", "learning opportunities", "education slower", "progress period", "sustainability literacy", "learning outcomes", "agenda 21", "mandate desd", "youth indigenous", "providing schools", "education lifelong", "2030 education", "global education", "hesi created", "school infrastructure", "description publications", "developing countries", "quality education", "provide children"], "gender-equality": ["barriers achieving", "achieve gender", "reforms women", "ghada alamily", "proposal sustainable", "1979 cedaw", "including trafficking", "achieving gender", "opportunities cities", "gender responsiveness", "infant deaths", "stay school", "symposiu beirut", "sustainable development", "ensuring women", "covid 19", "violence children", "geneva water", "equality women", "spotlight initiative", "sexual violence", "reproductive health", "discrimination women", "water research", "environmental issues", "empowerment women", "inequality exacerbated", "resolution fgm", "environmental education", "political economic", "marriage children", "2025 hlpf", "stock efforts", "women labour", "protection syrian", "united nations", "floods droughts", "recordings sessions", "care revolution", "conference women", "6000 ngos", "gender inequalities", "seven years", "unconscious biases", "decisionmaking political", "women peace", "nedjma koval", "gender equality", "domle testify", "mdg3 aims", "agenda sustainable", "affected women", "responsibility household", "2015 beijing", "women development", "rights women", "soumaya ibrahim", "donors partners", "population development", "dohuk kurdistan", "billion women", "trust fund", "pandemic economic", "2030 targets", "women globally", "failing girls", "unpaid care", "hlpf 2025", "srh hiv", "symposium women", "girls urbanization", "department mathematics", "reproductive rights", "initial investment", "emerging issues", "girls represent", "arab scientific", "unpaid domestic", "women suffer", "women 2020", "damaging drought", "women empowerment", "2030 agenda", "csw established", "violence discrimination", "targetslinksfacts figures", "world pays", "nations children", "peacebuilding arab", "discrimination violence", "moderate distance", "child marriage", "description publications", "violence doesn", "progress slow", "knowledge management", "average women", "wash volunteers", "youth meet", "beijing declaration", "women economic", "disabilities events", "paediatric hiv", "women lack", "organization sudan", "goals mdgs", "goals gender", "gender disparity", "eradicating poverty", "goal indicators", "genital mutilation", "gender inequality"], "water-and-sanitation": ["sdg monitoring", "water hlpw", "sdg share", "importance water", "ivoireethiopiafiji guatemalahondurashungary", "water stress", "agenda email", "reducing pollution", "global crisis", "meeting 2026", "2026 water", "vnr synthesis", "living sustainably", "survey collect", "sanitation support", "sustainable development", "acceleration action", "water pollution", "demand water", "water availability", "rat dazu", "environmental issues", "water sanitation", "wetlands rivers", "wetlands international", "floods droughts", "survey commitments", "water agenda", "sanitation unsgab", "agenda sustainable", "leak project", "recording event", "water ecosystems", "survey soon", "stakeholders galvanize", "sustainable developmentenergize", "nations convene", "water day", "emerging issues", "survey unable", "action hygiene", "stakeholder brainstorm", "water governance", "journey arabic", "asterisk represent", "2023 unesco", "commitments water", "water services", "water conference", "2023 water", "sea management", "copyright fraud", "drinking water", "action networks", "sdg learn", "action plan", "sanitation", "reported sdg", "water crisis", "green sustainable", "disaster risk", "vnr process", "agenda water", "term waste", "sdg global", "droughts exacerbating", "disruption hydrological", "civil society", "networks sdgs", "services 2030", "translation prepared", "water management", "water essential", "covid 19", "kingdom netherlands", "waste affects", "youth engagement", "water related", "ecosystem resilience", "unsgab portuguese", "sdg special", "org sdg", "wastewater world", "envoy water", "united nations", "community water", "water resilience", "naciones unidas", "agenda special", "assembly process", "water life", "2021 vnrs", "poverty reduction", "water website", "water sustainable", "secretariat background", "sanitation declared", "sanitation quadruple", "sdg references", "guinea sustainable", "managed sanitation", "2021dominican republic", "water scarcity", "conflicts climate", "sustainability integrity", "vnrs available", "sdg summit", "events documents", "targetslinksfacts figures", "executives board", "virtual sdg", "sustainable solution", "coverage 2030", "kofi annan", "million handwashing", "integrated water", "managing water", "infrastructure sanitation", "china h2o", "decade commence", "tale hummingbird", "eradicating poverty", "stressed countries"], "energy": ["finalists demonstrated", "energy meeting", "billion people", "convenes sdg7", "affordable electricity", "energy grant", "desa supports", "energy island", "norway statements", "international cooperation", "global electricity", "expanding infrastructure", "chatardov\u00e1 president", "contributor climate", "energy department", "ivan vera", "sdg7 vnr", "energy services", "review sdg7", "supported norway", "sustainable development", "fuels cooking", "sdg7 regional", "energy desa", "efficient lighting", "stakeholder sdg", "12 finalists", "growth renewable", "year sustainable", "share renewable", "power raindrops", "sustainable mountains", "sdg sustainable", "renewable sources", "2023 hlpf", "lighting forum", "energy day", "farm tunisia", "meeting sdg7", "energy 2021", "sdg7 review", "norfund norway", "diversify energy", "affects just", "united nations", "2023 jun", "global celebration", "invest sustainable", "clean energy", "electricity increased", "china energy", "carbon fuels", "energy thailand", "agenda sustainable", "save electricity", "achieving sdg7", "energy supports", "energy essential", "electricity women", "2020 sdg7", "renewable energy", "electricity access", "cooking 2030", "sdg7 benefit", "energy global", "energy efficiency", "energy access", "lighting africa", "takada undesa", "sustainable energy", "sdg meeting", "review sustainabl", "climate sdg", "fix issues", "secretariat energy", "cooking fuels", "energy progress", "care goal", "reuse economy", "targetslinksfacts figures", "prioritizing telecommunications", "affordable energy", "people worldwide", "unconnected grids", "expert webinar", "carbon emissions", "recovery hampered", "access electricity", "africa progress", "access energy", "global growth", "marcel alers", "dialogue energy", "goals sdg", "baku azerbaijan", "clean cooking", "global sdg", "accelerated sdg7", "session brought", "power economies", "eradicating poverty", "advisory group"], "economic-growth": ["2030 achieve", "new countries", "growth annum", "protect labour", "proportion youth", "social protection", "recovery employment", "poverty 2030", "productivity diversification", "reform financial", "2024 overview", "quality jobs", "gallery new", "global wage", "youth employment", "fair globalization", "january forecast", "establishment ilo", "sustainable development", "goals jpoi", "job creation", "cent peak", "promote development", "2018 msmes", "eradicate poverty", "young people", "multiple crises", "tepid economic", "msmes achieving", "hitting year", "growth 2023", "labour freedom", "discrimination convention", "economic growth", "growth forecast", "document rio", "frontier", "founded 1919", "sustainable tourism", "youth entrepreneurship", "juncao technology", "sustainable consumption", "111 ilo", "2025 hlpf", "economic prize", "increase employment", "child labour", "digital adoption", "work productive", "rural labour", "aid trade", "sized enterprises", "human development", "global unemployment", "wage growth", "providing youth", "developing countries", "adults bank", "msmes economic", "ilo declaration", "enterprises msmes", "agenda sustainable", "spfs initiative", "countries emerging", "social contract", "guarantees ensure", "policy coherence", "institutions responsive", "summit social", "governments work", "financial institutions", "inclusive sustainable", "youth unemployment", "new technologies", "empower minorities", "forum sustainable", "fix issues", "recovery broad", "real gdp", "freedom peace", "prohibiting discrimination", "2030 agenda", "labour productivity", "targetslinksfacts figures", "face sdg", "employment decent", "global inflation", "launched davos", "issue poverty", "cent 2022", "governance essential", "frontier technologies", "description publications", "remunerative employment", "events webinars", "pandemic level", "work broadly", "beijing declaration", "implementation agenda", "goals read", "unemployment rate", "pandemic disproportionately", "health safety", "world economic", "19 pandemic", "labour market", "jobs programme", "cent 2023", "global goalsdpicampaigns2018", "island developing", "2023 drop", "eradicating poverty", "informal employment", "implementation geneva"], "infrastructure-industrialization": ["promote regulations", "carbon development", "sustainability approach", "climate change", "sustainable industrialization", "internet governancemartin2023", "economic deceleration", "industry continues", "african ldcs", "development isid", "circular economy", "sustainable cities", "use social", "researchers million", "infrastructure including", "energy sector", "eradicating poverty", "sustainable development", "sustainable industrial", "manufacturing decline", "manufacturing employment", "high 36", "sdg sustainable", "energy sustainable", "analysis situat", "innovation encouraging", "partner sustainable", "policy options", "infrastructure development", "inadequate sanitation", "2013 unido", "industry environmental", "global expenditure", "threats cyberspacemartin2023", "united nations", "industry department", "mobile connectivity", "increases productivity", "johannesburg plan", "industrialization 2030", "enhance scientific", "countries financial", "new industries", "development secretary", "sustainabl 2018", "turkey sustainable", "investments infrastructure", "internet governance", "agenda sustainable", "stakeholder engagement", "stakeholders identified", "industrialization", "global manufacturing", "cutting areas", "co2 emissions", "support ldcs", "economic development", "collaborate ngos", "addis ababa", "robust growth", "industry recovery", "analysis mexico", "inclusive sustainable", "doubling manufacturing", "gdp growth", "implementation sustainable", "development argentina", "mobile broadband", "2018dpicampaigns2018", "china sustainable", "resilient infrastructure", "2030 agenda", "technologies facilitating", "targetslinksfacts figures", "tst issues", "cent 2022", "atmospheric ghg", "advancing sustainable", "description publications", "implementation industrial", "ukraine oecd", "development climate", "lima declaration", "industrial development", "africa region", "sustainable increased", "manufacturing growth", "developing countries", "ending poverty", "infrastructure sector"], "inequality": ["12nextload postsshare", "inequalities income", "achieve sustainable", "life dignity", "disabilities disproportionately", "country inequality", "oldest democracies", "abject poverty", "migration policies", "disadvantaged marginalized", "responsible migration", "2030 empower", "global financial", "migrant remittances", "poverty climate", "inclusive social", "migrants refugees", "sustainable development", "deadly migrants", "world interconnected", "inequalities based", "damaging drought", "inequality threatens", "targetslinksfacts figures", "income growth", "world pays", "incomes poorest", "breed crime", "pandemic", "adopt policies", "reported discriminated", "discriminatory practices", "indigenous youth", "appropriate legislation", "global inequality", "extreme poverty", "united nations", "care revolution", "number refugees", "reduce inequalities", "healthcare die", "developing countries"], "cities": ["urban planning", "billion people", "environmental impact", "energy island", "live slums", "chihiro tobe", "children walk", "sustainable cities", "upgrade slums", "help achieve", "eradicating poverty", "sustainable development", "urban resilience", "settlements development", "sustainable transport", "natural disasters", "urbanites poor", "cities represent", "population growth", "build cities", "sustainable urban", "urbanization planned", "growth rates", "world cities", "agenda sustainable", "urban millennium", "resources jingzhou", "sustainable urbanization", "public transport", "safe spaces", "habitat agenda", "urbanization biodiversity", "progress habitat", "initial thoughts", "quality life", "cost minimal", "sustainable energy", "affect citizen", "urban forum", "elly sinaga", "2030 provide", "natural heritage", "important targets", "swell billion", "local review", "cities future", "2000 2010", "brundtland report", "reports local", "cities possess", "murakami chairman", "slum dwellers", "urban divide", "nearest public", "agenda 21", "affects biodiversity", "world population", "lived slums", "ota mayor", "urban trends", "habitat day", "vlrs review", "human city", "murakami director", "planned urbanization", "disaster risk", "global population", "population reached", "moreread sdg", "summit urbanization", "efficient cities", "vladimir komissarov", "local government", "disasters including", "stakeholder partnerships", "network benefits", "habitat global", "estimated urban", "urban agenda", "kawamoto verification", "cities reports", "habitat iii", "air pollution", "public transportation", "jingzhou sustainable", "masahiro tamaki", "sustainable practices", "urbanization climate", "rural population", "rise slums", "sustainable businessruna", "urban challenge", "settlements strategies", "cities 1990", "nations environment", "vancouver 1976", "ohmura governor", "vision building", "millennium development", "struggle sustainability", "urbanization trend", "human settlements", "public spaces", "tamaki representative", "sdg summit", "2030 agenda", "walk family", "grow organically", "targetslinksfacts figures", "urban growth", "carbon emissions", "cities 2050", "reporting vnrs", "studies kyoto", "urban energy", "active governance", "urban sprawl", "implementation agenda", "regional development", "challenges cities", "urban infrastructure", "city believe", "description publications", "sdgs 2015", "sdg 11"], "sustainable-consumption-production": ["sustainable lifestyles", "consumption production", "change consumption", "environmental degradation", "help consumer", "sustainable option", "straws recycling", "fuel subsidies", "achieve sustainable", "food waste", "consumption", "sustainability information", "planets required", "nature 12", "policies regulations", "food losses", "public procurement", "ways help", "sustainable development", "use lifestyles", "shift sustainable", "goodwill ambassador2019", "chemicals wastes", "waste generation", "buying sustainable", "family sdg", "programmes sustainable", "sustainable tourism", "water sanitation", "responsible consumption", "pollutants ocean", "sustainable consumption", "resources populations", "income countries", "sustainable fashionmartin2019", "consume", "environmental agreements", "united nations", "food wasted", "sustainability reporting", "recycling products", "sustainable fashion", "help business"], "climate-change": ["green economy", "urgent transformative", "climate emergency", "sustainable future", "horse day", "cop24 countries", "ecological limits", "energy food", "climate change", "cop24 cop23", "countries sectors", "cop23cop22 marrakesh", "ghg emissions", "changes arctic", "countries action", "step forward", "reactions countries", "national plans", "economy summit", "costing lot", "rising temperatures", "say agreement", "warmest decade", "plans promises", "voluntary commitments", "ratification agreement", "energy sector", "climatechange facts", "future generations", "sustainable development", "meet egyptian", "cop25 madrid", "proof implementation", "covid 19", "mauritius strategy", "jobs sustainable", "things individuals", "rates floods", "agreementcop27 egypt", "concerns global", "mass migrations", "strengthen resilience", "urgent", "focus people", "ipcc climate", "monsoon deluge", "green productivity", "social inclusion", "climate campaign", "climate cataclysm", "live commitments", "delay pay", "agreement", "climate agreement", "outcomes summit", "paris degree", "index ggei", "climate fund", "eventparis agreement", "global goals", "organization apo", "climate crisis", "united nations", "sids partnerships", "differentiated responsibilities", "ecosystems humanity", "world warmed", "finance technological", "agreement provides", "climate adaptation", "limit temperature", "gain short", "agreement chance", "stakeholder forum", "agenda sustainable", "upgrade commitments", "track target", "paris agreement", "gaining momentum", "emissions decreasing", "www", "actions critically", "unchecked climate", "vulnerable regions", "climate conference", "new agreement", "environment ecuador", "ensure emissions", "impacts climate", "plans bend", "poverty improve", "consumption energy", "paris commitments", "ggei communications", "sustainable", "conference concluded", "climate finance", "november 2016", "flouting agreement", "damaging drought", "climate actions", "global temperature", "blogs conference", "countries responsible", "impacts devastating", "2010 ggei", "exercise repeated", "agreement require", "comply terms", "pathways sustainable", "carbon emissions", "real action", "energy commission", "climate action", "equity fairness", "conference sustainable", "cop26 glasgow", "covers countries", "initiatives green", "zero emissions", "investments renewable", "1992 agenda", "don action", "climate pledges", "trust confidence", "efforts climate", "paris beginning", "2020 disaster", "better agreement", "blue economy", "eradicating poverty", "arab emirates", "climate pact", "level ambition", "weather events", "mitigation 2020", "pakistan reels", "description publications"], "oceans": ["region outbreaks", "ocean funding", "sids implementation", "sustainable ocean", "fishing industry", "stakeholder partnering", "conference sids", "liu zhenmin", "concerned poverty", "sids samoa", "oceans economy", "conservation earth", "ocean economic", "partnerships sids", "mvi sids", "conference mauritius", "law sea", "establish partnerships", "means implementation", "generation crises", "sea unclos", "secretariat conveys", "women powerful", "unperturbed systems", "project serviceshttps", "marine environment", "sids4", "ocean acidification", "use oceans", "partnerships small", "sustainable development", "framework sustainable", "sdg partnership", "cowrie sids", "ocean resources", "2003 oceans", "island nation", "mauritius strategy", "unga decided", "implementation goal", "sids implementing", "oceans seas", "barbuda agenda", "international", "funding ocean", "ocean absorbs", "fishers marine", "unregulated fishing", "pdffood agriculture", "state ocean", "maritime transport", "excellence malta", "trade developmenthttps", "ocean science", "commission asia", "identifies sids", "2025 hlpf", "sids partnerships", "marine pollution", "indigenous youth", "climate forecasting", "ocean sustainability", "samoa pathway", "fund agricultural", "representative latvia", "14 priorities", "mitchell fifield", "ocean connected", "selection targets", "link oceans", "inclusive societies", "ocean warming", "development sids", "declaration ocean", "ocean planet", "governance enabling", "assistance sids", "crime unodc", "assessment caribbean", "implementing agenda", "debris world", "seas resources", "ocean climate", "gender equality", "international criminal", "agenda sustainable", "bpoa implementation", "realize antigua", "framework samoa", "submission listed", "partnerships announced", "partnerships awards", "marine technology", "sectors actors", "sids achieve", "caribbean sea", "renewable energy", "ocean important", "trend overfishing", "measles cases", "marine resources", "impacts climate", "economic resilience", "ocean heat", "bpoa thematic", "sids", "climate changehttps", "efforts protect", "global action", "youth unemployment", "partnerships sdgs", "average ph", "economic zones", "global emissions", "targets indicators", "analysing workforce", "sustain life", "2020 conserve", "ocean governance", "millennium ecosystem", "freedom peace", "states fao", "carbon sink", "world pays", "agency coordination", "fund unicef", "sids related", "16 provisions", "health ocean", "largest biosphere", "oceans sustainable", "threatening swallow", "gpa manila", "healthy societies", "ecosystem services", "agency task", "island connectivity", "biodiversity produces", "data governance", "disproportionately impacted", "lungs planet", "development agenda", "empower women", "sids continue", "tourism industry", "climate resilience", "received alphabetical", "disaster fund", "governments fiji", "guyana ratification", "leadership roles", "nations development", "coastal areas", "oceans fisheries", "cent acidic", "sustainable future", "disaster risk", "commission africa", "delicate ear", "action mangroves", "sids caribbean", "climate change", "unoc political", "ocean intrinsic", "oceans establishing", "banning fishing", "policy advisor", "antigua barbuda", "reservoirs biodiversity", "transport access", "sidsthe iacg", "secretariat requested", "planet water", "human rights", "partnerships climate", "devoted sids", "good governance", "implementation mauritius", "ocean reasons", "ocean poverty", "change unfccc", "impacts sdgs", "voluntary commitments", "implementing barbados", "vulnerability index", "2012 future", "resources coastal", "sids abas", "fisheries subsidies", "health coverage", "organization unido", "kate brown", "ocean pollution", "barbados programme", "ocean conference", "woa ii", "oceans crucial", "healthy oceans", "partnership sids", "food programme", "regional coordination", "implementation samoa", "south cooperation", "conserving oceans", "greenhouse gases", "newest outcome", "representative maldives", "straddling fish", "crises coronavirus", "fish stocks", "ecosystem integrity", "fisheries management", "supporting sids", "united nations", "seabed authority", "care revolution", "deterioration coastal", "largest ecosystem", "oceans met", "oceans consume", "oceans1 widely", "tourism", "principles rio", "partnerships", "percent earth", "species ocean", "sids partnership", "sids conference", "fisheries provide", "sids efforts", "envoy ocean", "areas programme", "unesco", "developing states", "trade development", "economic commission", "condition sids", "ocean costing", "ocean assessment", "responses received", "sids unit", "ocean future", "drugs crimehttps", "evaluation antigua", "implementation antigua", "agenda sg", "caribbean economic", "indicatorshttps sdgs", "damaging drought", "oceans resources", "sustainability achieved", "stakeholder communities", "financing sids", "targetslinksfacts figures", "human settlement", "reliable sustai", "oceans contribute", "antigua", "abas discussion", "gullah geechee", "ocean absorbed", "report caribbean", "global trade", "agriculture organization", "forests climate", "pdfeconomic commission", "sustainable use", "crucial ecosystem", "pagination page", "climate action", "biodiversity action", "coastal ecosystems", "met st", "example biodiversity", "earth surface", "human rightshttps", "youth meet", "partnerships sidsdate", "blue economy", "vaccine mcv2", "openelementsubmission received", "global warming", "focused engagement", "ecosystem approach", "coastal resources", "island developing", "review antigua", "ocean", "benefits", "sids civil", "plastic litter", "eradicating poverty", "marine transport", "nations office", "progressive movements", "generated emissions"], "biodiversity": ["clusters forests", "carbon development", "ecosystems conservation", "mainstreaming biodiversity", "forests 2015", "forests secretariat", "2020 sdgs", "uses biological", "forests mitigate", "events 2024", "earth ecosystems", "stakeholder dialogues", "thailand geographically", "194 countries", "deserts desertification", "decade", "environmental damage", "needs petrochemical", "zoonotic diseases", "cambodia session", "eradicating poverty", "sustainable development", "sdgs mountains", "commission efc", "day forests", "50th ratification", "known drylands", "hectares rangeland", "forests technical", "protected areas", "forests secretary", "document rio", "biodiversity ocean", "harmony nature", "sustainable forest", "morteza sharifi", "forests department", "sustainable mountains", "decade desertification", "year mountains", "nations forum", "conservation nature", "reef", "trees forests", "sids partnerships", "indigenous youth", "forests sustainable", "lost forests", "fao coordinating", "conservation sustainable", "desertification forests", "provisional agenda", "ambition tra", "area degraded", "forests significant", "international mountain", "csd sustainable", "desertification affects", "measures lands", "opening meeting", "life land", "cluster agriculture", "trend desertification", "agenda sustainable", "johannesburg summit", "afforestation reforestation", "trust kameoka", "mountain environments", "sustainability initiative", "plenary meeting", "priorities biodiversity", "diversity ecological", "degraded areas", "plan biodiversity", "development desertification", "analysis mexico", "freshwater ecosystems", "sustainable agriculture", "consumption energy", "china sustainable", "manage forests", "synthetic biology", "millennium ecosystem", "development gsdr", "forests meeting", "prevent extinction", "forest management", "world pays", "trees disasters", "mountains department", "realise nature", "sustainable mountain", "forests biodiversity", "atmospheric ghg", "land management", "forests", "preparedness drought", "biodiversity ecosystems", "terrestrial ecosystems", "world conference", "durban declaration", "change biodiversity", "agenda 21", "loss biodiversity", "desertification land", "land degraded", "shelter jobs", "reforestation globally", "farmers severe", "summit endorsed", "thailand comparative", "design kenya", "nations environmental", "copyright fraud", "opened signature", "biological diversity", "forest ecosystems", "world soil", "ocean continues", "biodiversity important", "december 1996", "development johannesburg", "forests cover", "biodiversity technical", "conservation biological", "1994 ratified", "csd annually", "stop biodiversity", "integrated planning", "mountain ecosystems", "sources food", "10yfp sustainable", "intergovernmental panel", "importance mountains", "incorporating mountain", "30th ratification", "climate change", "invasive alien", "biodiversity discussed", "resources sectoral", "biodiversity primary", "biodiversity loss", "mountains meeting", "voluntary commitments", "hlpf 2020", "168 signatures", "2012 future", "desertification unccd", "drought participation", "biodiversity 2020", "sustainable land", "uses land", "global deforestation", "investing forests", "desertification includes", "forest 2011", "committee incd", "sustainable tourism", "degradation desertification", "forestry sustainable", "forests sdg", "fragile ecosystems", "korea environment", "biodiversity values", "peace nature", "wildlife ecotourism", "soil day", "ecosystems conserved", "care revolution", "decade biodiversity", "desertification restore", "agriculture impact", "change desertification", "proclaimed 2002", "environmental degradation", "finance forests", "mountain resorts", "paris agreement", "drought drylands", "forests biologically", "forest benefits", "mountain resources", "threatened extinction", "congresium ankara", "kyoto protocol", "finance indonesia", "management land", "strategy unccd", "year biodiversity", "convention adopted", "healthy ecosystems", "biodiversity framework", "2009 desertification", "cent deforestation", "lanka tourism", "africa 2015", "panel forests", "world bank", "land degradation", "damaging drought", "iran energy", "poaching trafficking", "genetic resources", "targetslinksfacts figures", "meeting sustainable", "mountains ecosystems", "desertification drought", "biodiversity declining", "summit sustainable", "intergovernmental consultations", "agriculture organization", "forests protected", "diet sustainably", "forests launched", "ocean role", "ukraine oecd", "species extinction", "world forests", "youth meet", "wu drought", "land promote", "combating desertification", "goals read", "biodiversity subject", "investment farmlandin", "forests livelihood", "combating deforestation", "land resources", "soil partnership", "forests journal", "1994 bahamas", "extinction species", "description publications", "hlpf 2022"], "peace-justice": ["emissions reduction", "green economy", "peer violence", "strengthening rule", "rio 20", "revenues logistics", "meeting reports", "risk violence", "death rates", "world vulnerable2019", "justice 16", "ghg emissions", "jpoi sustainable", "stakeholder dialogues", "international cooperation", "institutions sdgs", "intergenerational solidarity", "child crc", "unicef endviolence", "finance sustainable", "egreen economy", "hlpf 2019", "assembly summit", "deaths largely", "torture prevalent", "regional intergovernmental", "agenda partnership", "birth registration", "regional commissions", "sustainable development", "provides conceptual", "doha amendment", "covid 19", "peace fundamental", "climate resilient", "institutional coordination", "health chemicals", "violence", "violence children", "sdg targets", "children opportunity", "growth cyberbullying", "risks icts", "focus people", "crime 16", "pollutants adopted", "social inclusion", "participatory representative", "solutions conflict", "rights standards", "does apply", "agenda 2030", "promote inclusion", "financing development", "provides political", "children protection", "johannesburg future", "juvenile justice", "children bullying", "2015 development", "rights sponsibilities", "child soldiers", "united nations", "inclusive institutions", "commission sustainable", "global governance", "release pops", "rights child", "bullying cyberbullying", "institutions", "exposed violence", "children violence", "hindering sustainable", "woods institutions", "sdgs asia", "agenda sustainable", "frameworks lecrds", "equator prize", "brazil congress", "organic pollutants", "conflicts remain", "positive situations", "kyoto protocol", "schools uniquely", "hlpf 2025", "addis ababa", "reduce corruption", "perspectives diverge", "discriminate violates", "implementation sustainable", "2022 108", "violence insecurity", "alternative detention", "transitions sustainable", "forum sustainable", "climate sdg", "training aims", "transparent institutions", "thematic cluster", "armed violence", "intentional homicides", "csd decision", "justice gender", "2030 agenda", "exploitation trafficking", "protection children", "targetslinksfacts figures", "displaced worldwide", "justice children", "summit sustainable", "strategic milestone", "target sdg", "measuring capacity", "costs violence", "climate action", "harnessing synergies", "violence affects", "csd 11", "pagination", "international environmental", "violence schools", "violence safeguard", "children globally", "partnership sustainable", "protecting children", "addis agenda", "individual rights", "institutional framework", "fundamental freedoms", "place institutions", "institution ability", "access justice", "free fear", "beijing 2024", "interview nadia", "eradicating poverty", "differentiated responsibility", "crimes threatening", "younger children", "freedom information", "conflicts world", "paris pandemic", "peace societies", "poverty sdg", "injustices inequalities", "counselling complaint", "contagion violence"], "globalpartnerships": ["trade tensions", "17 revitalizing", "partnerships governments", "encourage governments", "partnerships data", "nations development", "12nextload postsshare", "countries technology", "multilateral trading", "tv day", "technology facilitation", "countries achieve", "effectively mobilized", "multistakeholder partnerships", "external debt", "strengthening multilateralism", "environmentally sound", "sierra leone", "international cooperation", "established digital", "macroeconomic stability", "increase exports", "responsibility countries", "sustainable development", "funding data", "agenda 17", "ensure equitable", "stakeholder partnerships", "2030 agenda", "digital divide", "reviews progress", "technology capacity", "countries need", "targetslinksfacts figures", "technologies ests", "collaborate entertainment", "internet 2022", "development hlpf", "sdgs", "climate action", "billion 2015", "resource mobilization", "oda providers", "income countries", "partnership sustainable", "world trade", "partners need", "world population", "countries 17", "debt sustainability", "united nations", "spending refugees", "developing countries", "implementing sdgs", "oda funding"]}
src/train_bert/training_data/Keyword_Patterns.csv ADDED
@@ -0,0 +1,18 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ "topic_num","category","keywords"
2
+ 10,Goal 10: Reduced Inequalities,"country inequality,developing countries,disabilities disproportionately,incomes poorest,inequality threatens,internet governance"
3
+ 11,Goal 11: Sustainable Cities and Communities,"sustainable development,sustainable cities,habitat agenda,habitat day,habitat,human settlements,transformation cities,disaster risk,island developing,live slums,programme unep,programme voluntary,public transport,safe spaces,stakeholder partnerships,struggle sustainability,sustainable urban,upgrade slums,urban growth,urban resilience,urban sprawl"
4
+ 12,Goal 12: Responsible Consumption and Production,"sustainable consumption,food waste,fuel subsidies,sustainable lifestyles,sustainable tourism"
5
+ 13,Goal 13: Climate Action,"green economy,paris agreement,climate change,sustainable development,climate action,blue economy,global temperature,asia warming,climate cataclysm,climate emergency,commission social,conference sustainable,emissions decreasing,equity fairness,himalayan melt,impacts climate,ocean summit,secretariat unep,sustainable future,unchecked climate,zero emissions"
6
+ 14,Goal 14: Life Below Water,"island developing,samoa pathway,disaster risk,use oceans,ocean assessment,ocean conference,law sea,mauritius strategy,pdffood agriculture,sids partnerships,trade development,action mangroves,antigua barbuda,economic commission,health ocean,internet governance,marine environment,marine pollution,ocean resources,percent earth,sids efforts,unoc 2025,16 provisions,abas discussion,adopting sevilla,agriculture organization,apia samoa,barbados programme,biodiversity produces,blue economy,caribbean sea,change unfccc,climate change,coastal ecosystems,conference sids,conferences,debt distress,declaration ocean,developing states,development sids,ecosystem integrity,excellence malta,funding ocean,generated emissions,global ocean,governments fiji,impacts climate,implementation samoa,leveraging ocean,lungs planet,marine resources,marine technology,ocean acidification,ocean action,ocean poverty,ocean reasons,ocean science,ocean sustainability,oceans establishing,oceans seas,seas resources,sustainable maritime,sustainable ocean"
7
+ 15,Goal 15: Life on Land,"biological diversity,biodiversity loss,mountain ecosystems,sustainable mountain,desertification drought,land degradation,desertification land,environmental conventions,eradicating poverty,forest management,island developing,plan biodiversity,sustainable forest,climate change,development desertification,environmental damage,importance mountains,peace nature,sustain human,zoonotic diseases,agriculture organization,biodiversity discussed,biodiversity ecosystems,biodiversity framework,change desertification,drought management,environmental degradation,forest benefits,forests biodiversity,forests sustainable,fragile ecosystems,healthy ocean,land management,land resources,manage forests,mountain environments,mountain regions,mountain resources,ocean continues,panel forests,paris agreement,preparedness drought,prevent extinction,soil day,soil partnership,trees forests,world soil"
8
+ 16,"Goal 16: Peace, Justice, and Strong Instiutions","violence children,armed violence,sdg synergies,forum sustainable,inclusive institutions,violence solutions,children opportunity,conflicts world,emissions reduction,innovation sti,solutions conflict,strengthening indigenous,strengthening rule"
9
+ 17,Goal 17: Partnerships for the Goals,"external debt,spending refugees"
10
+ 1,Goal 1: End poverty in all its forms everywhere,"poverty eradication,social protection,eradication poverty,juncao technology,end poverty,extreme poverty,eradicating poverty,child poverty,food security,microfinance,poverty complex,reduce poverty,resilience poor,social services"
11
+ 2,Goal 2: Zero Hunger,"food security,sustainable agriculture,sustainable development,juncao technology,hunger malnutrition,food insecurity,hunger challenge,rural development,eradicate hunger,resilient agricultural,rural energy,zero hunger,agricultural markets,agriculture rural,debt distress,double agricultural,end hunger,enhance agricultural,eradicating poverty,farmer organizations,farmers organizations,food commodity,food demand,free hunger,hunger,land degradation,malnutrition,people income,poverty hunger,prices agricultural,productive employment,suffer hunger,sustainable agricultural,sustainable rural"
12
+ 3,Goal 3: Good Health and Well-Being,"reproductive health,tobacco control,childhood vaccinations,health sustainable,adequate housing,aids response,children health,energy access,ensure healthy,health systems,healthy lives,hiv treatment,human health,maternal mortality,polio eradication,polio paralyzing,pollution,roll malaria,target mortality,universal health,vaccination acceptance"
13
+ 4,Goal 4: Quality Education,"education sustainable,education life,dakar framework,initiative hesi,sustainability initiative,access education,campus network,education financing,education slower,education summit,global education,hesi partnership,higher education,primary education,school completion,school infrastructure"
14
+ 5,Goal 5: Gender Equality,"gender equality,empowerment women,discrimination women,achieve gender,genital mutilation,reproductive health,women peace,child marriage,empower women,sexual violence,violence women,women empowerment,women globally"
15
+ 6,Goal 6: Clean Water and Sanitation,"water sanitation,water conference,water scarcity,sustainable development,water crisis,water sustainable,drinking water,managed sanitation,water management,commitments water,island developing,sanitation"
16
+ 7,Goal 7: Affordable and Clean Energy,"sustainable energy,renewable energy,climate sdg,clean energy,energy services,access electricity,energy efficiency,expanding infrastructure,renewable sources,strengthening indigenous,affordable energy,cooking fuels,desa energy,energy access,global electricity,share renewable,sheila oparaocha,targets energy"
17
+ 8,Goal 8: Decent Work and Economic Growth,"enterprises msmes,global unemployment,social protection,youth employment,employment decent,juncao technology,child labour,economic growth,reform financial,resilient recovery,social contract,youth entrepreneurship"
18
+ 9,"Goal 9: Industries,Innovation, and Infrastructure","sustainable cities,internet governance,resilient recovery,mobile broadband,circular economy,demand manufacturing,economic development,increases productivity,industrialization,johannesburg plan,lima declaration,resilient infrastructure,robust growth,sustainable industrialization"