Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

update destatis #43

Open
wants to merge 16 commits into
base: master
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from 11 commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
40 changes: 40 additions & 0 deletions compare_destatis_versions.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,40 @@
from rdflib import Graph
import csv

current_classification = "https://raw.githubusercontent.com/dini-ag-kim/hochschulfaechersystematik/master/hochschulfaechersystematik.ttl"
new_classification = "hochschulfaechersystematik.ttl" # path of the newly created version

data_old = Graph().parse(current_classification, format="ttl")
data_new = Graph().parse(new_classification, format="ttl")

query = """
PREFIX skos: <http://www.w3.org/2004/02/skos/core#>

SELECT ?notation ?prefLabel
WHERE {
?s skos:notation ?notation.
?s skos:prefLabel ?prefLabel .
FILTER langmatches(lang(?prefLabel) , 'de')
}
"""

new_notation_output = open("new_notations.csv", "w")
changed_label_output = open("changed_labels.csv", "w")
deprecated_notation_output = open("deprecated_notations.csv", "w")

old_dict = {}
for r in data_old.query(query):
old_dict.update({str(r['notation']): str(r['prefLabel'])})

for r in data_new.query(query):
new_notation = str(r['notation'])
new_preflabel = str(r['prefLabel'])
if new_notation in old_dict.keys():
if new_preflabel != old_dict[new_notation]:
changed_label_output.write(new_notation + ";" + new_preflabel + ";Old label: " + old_dict[new_notation] + "\n" )
del old_dict[new_notation]
else:
new_notation_output.write(new_notation + ";" + new_preflabel + "\n")

for k, v in old_dict.items():
csv.writer(deprecated_notation_output, delimiter=";").writerow([k,v])
145 changes: 145 additions & 0 deletions create_faechersystematik_ttl.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,145 @@
import pandas as pd
import rdflib.term
from rdflib import Graph, Literal, RDF, URIRef, Namespace, DCTERMS
import logging

def extract_preflabel_translations(current_ttl):
pref_label_dict_list = []
g_old = Graph()
g_old.parse(current_ttl, format="ttl")
qres = g_old.query(
"""
PREFIX skos: <http://www.w3.org/2004/02/skos/core#>

SELECT DISTINCT ?label_en ?label_uk ?concept
WHERE {
?concept a skos:Concept ;
skos:prefLabel ?label ;
skos:prefLabel ?label_en ;
skos:prefLabel ?label_uk .

FILTER(lang(?label_en)="en")
FILTER(lang(?label_uk)="uk")
}""")
for row in qres:
notation = row.concept.replace("https://w3id.org/kim/hochschulfaechersystematik/n","")
pref_label_dict = {notation: {"label_en": f"{row.label_en}", "label_uk": f"{row.label_uk}"}}
pref_label_dict_list.append(pref_label_dict)
return pref_label_dict_list

def add_pref_labels_lang(level_dict_list, current_pref_labels_dict):
for idx, i in enumerate(level_dict_list):
notation = level_dict_list[idx]['notation']
if notation in current_pref_labels_dict:
for k,v in current_pref_labels_dict.items():
pref_label_en = v.get("label_en")
pref_label_uk = v.get("label_uk")
level_dict_list[idx].update({"label_en": pref_label_en, "label_uk": pref_label_uk})
return level_dict_list


# extract translations of prefLabels
current_hfs_file = "https://github.com/dini-ag-kim/hochschulfaechersystematik/blob/master/hochschulfaechersystematik.ttl?raw=true"
lang_preflabel_list = extract_preflabel_translations(current_hfs_file)

# extract hfs data from destatis files
url_1st_level = "https://github.com/dini-ag-kim/destatis-schluesseltabellen/blob/main/studierende/Faechergruppe.csv?raw=true"
url_2nd_level = "https://github.com/dini-ag-kim/destatis-schluesseltabellen/raw/main/studierende/STB.csv?raw=true"
url_3rd_level = "https://github.com/dini-ag-kim/destatis-schluesseltabellen/blob/main/studierende/Studienfach.csv?raw=true"

df_1st_level = pd.read_csv(url_1st_level, encoding="ISO-8859-1", sep=';', quotechar='"', header=None, engine ='python', dtype=str, usecols=[0, 2], names=["notation", "label"])
df_2nd_level = pd.read_csv(url_2nd_level, encoding="ISO-8859-1", sep=';', quotechar='"', header=None, engine ='python', dtype=str, usecols=[0, 2, 3], names=["notation", "label", "broader"])
df_3rd_level = pd.read_csv(url_3rd_level, encoding="ISO-8859-1", sep=';', quotechar='"', header=None, engine ='python', dtype=str, usecols=[0, 2, 3], names=["notation", "label", "broader"])

# remove duplicate, unused notation 10 from top level
df_1st_level = df_1st_level[df_1st_level.notation !="10"]

# remove of "10" subordinate notations from 2nd and 3rd level
df_2nd_level = df_2nd_level[df_2nd_level.broader !="10"]
df_3rd_level = df_3rd_level[df_3rd_level.broader !="83"]

df_1st_level['notation'] = df_1st_level['notation'].str.lstrip("0")
df_2nd_level['broader'] = df_2nd_level['broader'].str.lstrip("0")

dict_1st_level = df_1st_level.to_dict("records")
dict_2nd_level = df_2nd_level.to_dict("records")
dict_3rd_level = df_3rd_level.to_dict("records")

# add translations from current hfs to dictionaries
for lang_preflabel_dict in lang_preflabel_list:
dict_1st_level = add_pref_labels_lang(dict_1st_level, lang_preflabel_dict)
dict_2nd_level = add_pref_labels_lang(dict_2nd_level, lang_preflabel_dict)
dict_3rd_level = add_pref_labels_lang(dict_3rd_level, lang_preflabel_dict)

g = Graph()

# namespaces
base = Namespace('https://w3id.org/kim/hochschulfaechersystematik/')
vann = Namespace('http://purl.org/vocab/vann/')
dct = Namespace('http://purl.org/dc/terms/')
owl = Namespace('http://www.w3.org/2002/07/owl#')
skos = Namespace('http://www.w3.org/2004/02/skos/core#')
schema = Namespace('https://schema.org/')
g.bind("schema", schema)
g = Graph(base=base)

#conceptScheme
g.add((URIRef('scheme'), RDF['type'], skos['ConceptScheme']))
g.add((URIRef('scheme'), dct['title'], Literal('Destatis-Systematik der Fächergruppen, Studienbereiche und Studienfächer', lang='de')))
g.add((URIRef('scheme'), dct['alternative'], Literal('Hochschulfächersystematik', lang='de')))
g.add((URIRef('scheme'), dct['description'], Literal('Diese SKOS-Klassifikation basiert auf der Destatis-[\"Systematik der Fächergruppen, Studienbereiche und Studienfächer\"](https://bartoc.org/en/node/18919).', lang='de')))
g.add((URIRef('scheme'), dct['issued'], Literal('2019-12-11')))
g.add((URIRef('scheme'), dct['publisher'], rdflib.term.URIRef('https://oerworldmap.org/resource/urn:uuid:fd06253e-fe67-4910-b923-51db9d27e59f')))
g.add((URIRef('scheme'), vann['preferredNamespaceUri'], Literal('https://w3id.org/kim/hochschulfaechersystematik/')))
g.add((URIRef('scheme'), vann['preferredNamespacePrefix'], Literal('hfs')))
g.add((URIRef('scheme'), schema['isBasedOn'], rdflib.term.URIRef('http://bartoc.org/node/18919')))


for idx, i in enumerate(dict_1st_level):
top_level = dict_1st_level[idx]['notation']
g.add((URIRef('n%s' % top_level), RDF['type'], skos['Concept']))
g.add((URIRef('n%s' % top_level), skos['topConceptOf'], (URIRef('scheme'))))
g.add((URIRef('n%s' % top_level), skos['prefLabel'], Literal(dict_1st_level[idx]['label'], lang='de')))
if dict_1st_level[idx].get('label_en'):
g.add((URIRef('n%s' % top_level), skos['prefLabel'], Literal(dict_1st_level[idx]['label_en'], lang='en')))
g.add((URIRef('n%s' % top_level), skos['prefLabel'], Literal(dict_1st_level[idx]['label_uk'], lang='uk')))
g.add((URIRef('n%s' % top_level), skos['notation'], Literal(top_level)))
else:
logging.warning("No translation for {notation}".format(notation=top_level))
g.add((URIRef('scheme'), skos['hasTopConcept'], (URIRef('n%s' % top_level))))
for idx_2, i_2 in enumerate(dict_2nd_level):
if dict_2nd_level[idx_2]['broader'] == top_level:
level_2_notation = dict_2nd_level[idx_2]['notation']
g.add((URIRef('n%s' % level_2_notation), RDF['type'], skos['Concept']))
g.add((URIRef('n%s' % level_2_notation), skos['prefLabel'], Literal(dict_2nd_level[idx_2]['label'], lang='de')))
if dict_2nd_level[idx_2].get('label_en'):
g.add((URIRef('n%s' % level_2_notation), skos['prefLabel'], Literal(dict_2nd_level[idx_2]['label_en'], lang='en')))
g.add((URIRef('n%s' % level_2_notation), skos['prefLabel'], Literal(dict_2nd_level[idx_2]['label_uk'], lang='uk')))
else:
logging.warning("No translation for {notation}".format(notation=level_2_notation))
g.add((URIRef('n%s' % level_2_notation), skos['broader'], (URIRef('n%s' % dict_2nd_level[idx_2]['broader']))))
g.add((URIRef('n%s' % level_2_notation), skos['notation'], Literal(level_2_notation)))
g.add((URIRef('n%s' % level_2_notation), skos['inScheme'], (URIRef('scheme'))))
for idx_3, i_3 in enumerate(dict_3rd_level):
if dict_3rd_level[idx_3]['broader'] == level_2_notation:
level_3_notation = dict_3rd_level[idx_3]['notation']
g.add((URIRef('n%s' % level_3_notation), RDF['type'], skos['Concept']))
g.add((URIRef('n%s' % level_3_notation), skos['prefLabel'],Literal(dict_3rd_level[idx_3]['label'], lang='de')))
if dict_3rd_level[idx_3].get('label_en'):
g.add((URIRef('n%s' % level_3_notation), skos['prefLabel'],Literal(dict_3rd_level[idx_3]['label_en'], lang='en')))
g.add((URIRef('n%s' % level_3_notation), skos['prefLabel'],Literal(dict_3rd_level[idx_3]['label_uk'], lang='uk')))
else:
logging.warning("No translation for {notation}".format(notation=level_3_notation))
g.add((URIRef('n%s' % level_3_notation), skos['notation'], Literal(level_3_notation)))
g.add((URIRef('n%s' % level_3_notation), skos['inScheme'], (URIRef('scheme'))))
g.add((URIRef('n%s' % level_3_notation), skos['broader'], (URIRef('n%s' % dict_3rd_level[idx_3]['broader']))))

g.add((URIRef('n0'), RDF['type'], skos['Concept']))
g.add((URIRef('n0'), skos['prefLabel'], Literal('Fachübergreifend', lang='de')))
g.add((URIRef('n0'), skos['prefLabel'], Literal('Interdisciplinary', lang='en')))
g.add((URIRef('n0'), skos['prefLabel'], Literal('Міждисциплінарний', lang='uk')))
g.add((URIRef('n0'), skos['topConceptOf'], (URIRef('scheme'))))
g.add((URIRef('n0'), skos['notation'], Literal('0')))
g.add((URIRef('scheme'), skos['hasTopConcept'], (URIRef('n0'))))
g.bind("dct", DCTERMS)
g.serialize('hochschulfaechersystematik.ttl', format='turtle')
Loading
Loading