From a1d8235a863db50d10acbe8ed55544e7db992969 Mon Sep 17 00:00:00 2001 From: BaiBlanc <1458491606@qq.com> Date: Fri, 6 Mar 2020 18:13:18 +0100 Subject: [PATCH 1/3] Python2 and Python3 Compatiablity code for Anand/pipeline3 Description: Several libraries used is only based on python3, this generates AttributeError when running on Python2 This commit fixes this incompatible error I've imported the libraries working on python2 and added try:#python3 #original code except: #python2 #code working on python2 --- .../pipeline_3/.pipeline_3/generate_url.py | 8 +- .../pipeline_3/.pipeline_3/get_properties.py | 6 +- .../sentence_and_template_generator.py | 183 ++++++++-------- .../generate_url.py | 8 +- .../get_properties.py | 6 +- .../sentence_and_template_generator.py | 203 ++++++++++-------- 6 files changed, 234 insertions(+), 180 deletions(-) diff --git a/gsoc/anand/pipeline_3/.pipeline_3/generate_url.py b/gsoc/anand/pipeline_3/.pipeline_3/generate_url.py index d4d2019..0edfef3 100755 --- a/gsoc/anand/pipeline_3/.pipeline_3/generate_url.py +++ b/gsoc/anand/pipeline_3/.pipeline_3/generate_url.py @@ -3,14 +3,18 @@ import json import sys import urllib +from urllib2 import urlopen import argparse from bs4 import BeautifulSoup def get_url(url): - """Fuction to extract the http://mappings.dbpedia.org/server/ontology/classes/ + """Fuction to extract the http://mappings.dbpedia.org/server/ontology/classes/ page link for the given http://mappings.dbpedia.org/index.php/OntologyClass:""" - page = urllib.request.urlopen(url) + try: # python3 + page = urllib.request.urlopen(url) + except: # python2 + page = urlopen(url) soup = BeautifulSoup(page, "html.parser") link = soup.findAll('a', attrs={"rel": "nofollow"})[0]['href'] return link diff --git a/gsoc/anand/pipeline_3/.pipeline_3/get_properties.py b/gsoc/anand/pipeline_3/.pipeline_3/get_properties.py index c87bfec..5c85f4b 100755 --- a/gsoc/anand/pipeline_3/.pipeline_3/get_properties.py +++ b/gsoc/anand/pipeline_3/.pipeline_3/get_properties.py @@ -1,4 +1,5 @@ import urllib +from urllib2 import urlopen import json import sys import csv @@ -17,7 +18,10 @@ class related information and data types as field values in each row. - This function also returns a 2D list of the information mentioned above to the calling function """ - page = urllib.request.urlopen(url) + try: # python3 + page = urllib.request.urlopen(url) + except: # python2 + page = urlopen(url) soup = BeautifulSoup(page, "html.parser") if(not os.path.isdir(project_name)): os.makedirs(project_name) diff --git a/gsoc/anand/pipeline_3/.pipeline_3/sentence_and_template_generator.py b/gsoc/anand/pipeline_3/.pipeline_3/sentence_and_template_generator.py index 04f36fa..9835b07 100755 --- a/gsoc/anand/pipeline_3/.pipeline_3/sentence_and_template_generator.py +++ b/gsoc/anand/pipeline_3/.pipeline_3/sentence_and_template_generator.py @@ -1,149 +1,164 @@ import argparse -from generate_url import generate_url_spec , generate_url +from generate_url import generate_url_spec, generate_url from get_properties import get_properties import urllib +from urllib2 import urlopen import urllib.parse from bs4 import BeautifulSoup import os from tqdm import tqdm -def rank_check(query,diction,count,original_count): + +def rank_check(query, diction, count, original_count): query_original = query - count = original_count-count + count = original_count - count ques = " " for value in range(count): - if(value == 0): - ques = ques+"?x " + if (value == 0): + ques = ques + "?x " else: - ques = ques+"?x"+str(value+1)+" " - query = query.replace("(?a)","(?a)"+ ques) + " order by RAND() limit 100" - #print(query) - query = urllib.parse.quote_plus(query) - url = "https://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query="+query+"&format=text%2Fhtml&CXML_redir_for_subjs=121&CXML_redir_for_hrefs=&timeout=30000&debug=on&run=+Run+Query+" - #print(url) + ques = ques + "?x" + str(value + 1) + " " + query = query.replace("(?a)", "(?a)" + ques) + " order by RAND() limit 100" + # print(query) + try: # python3 + query = urllib.parse.quote_plus(query) + except: # python2 + query = urllib.quote_plus(query) + url = "https://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query=" + query + "&format=text%2Fhtml&CXML_redir_for_subjs=121&CXML_redir_for_hrefs=&timeout=30000&debug=on&run=+Run+Query+" + # print(url) page = urllib.request.urlopen(url) soup = BeautifulSoup(page, "html.parser") total = len(soup.find_all("tr")) accum = 0 for rows in (soup.find_all("tr")): for td in rows.find_all("a"): - damp=0.85 - denom = 0 + damp = 0.85 + denom = 0 interaccum = 0 for a in td: - if(a in diction.keys()): - denom+=1 - damp*=damp - interaccum+=damp*float(diction[a]) + if (a in diction.keys()): + denom += 1 + damp *= damp + interaccum += damp * float(diction[a]) """ print (a.get_text()) if(a.get_text() in diction.keys()): print(diction(a.get_text())) """ - if(denom): - interaccum = interaccum/denom - accum+=interaccum - return float(accum/total) + if (denom): + interaccum = interaccum / denom + accum += interaccum + return float(accum / total) + -def check_query(log,query): +def check_query(log, query): query_original = query - query = urllib.parse.quote(query) - url = "https://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query="+query+"&format=text%2Fhtml&CXML_redir_for_subjs=121&CXML_redir_for_hrefs=&timeout=30000&debug=on&run=+Run+Query+" - #print(url) - page = urllib.request.urlopen(url) + try: # python3 + query = urllib.parse.quote_plus(query) + except: # python2 + query = urllib.quote_plus(query)) + url = "https://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query=" + query + "&format=text%2Fhtml&CXML_redir_for_subjs=121&CXML_redir_for_hrefs=&timeout=30000&debug=on&run=+Run+Query+" + # print(url) + try: # python3 + page = urllib.request.urlopen(url) + except: # python2 + page = urlopen(url) soup = BeautifulSoup(page, "html.parser") - #print((soup.text)) - if(soup.text=="false"): + # print((soup.text)) + if (soup.text == "false"): log.error(url) - log.error(query_original ) + log.error(query_original) return False - elif(soup.text=="false"): - #print(query_original) + elif (soup.text == "false"): + # print(query_original) return True else: log.error("Broken Link") log.error(url) - log.error(query_original ) + log.error(query_original) - -def sentence_and_template_generator(log,mother_ontology,vessel,prop,project_name,output_file,diction,original_count=0,count=0, suffix = " of ?", query_suffix = ""): - if(type(prop)==str): +def sentence_and_template_generator(log, mother_ontology, vessel, prop, project_name, output_file, diction, + original_count=0, count=0, suffix=" of ?", query_suffix=""): + if (type(prop) == str): prop = prop.split(',') original_count = count natural_language_question = [] sparql_query = [] - question_form = open("../utility/question_form.csv",'r').readlines() - question_starts_with =question_form[0].split(',') + question_form = open("../utility/question_form.csv", 'r').readlines() + question_starts_with = question_form[0].split(',') query_starts_with = question_form[1].split(',') query_ends_with = question_form[2].split(',') - question_number=[2] - if(prop[3]=="owl:Thing" or prop[3]=="xsd:string"): - question_number=[2,4] - elif(prop[3]=="Place"): - question_number=[3,4] - elif(prop[3]=="Person"): - question_number=[1,4] - elif(prop[3]=="xsd:date" or "date" in prop[3] or "year" in prop[3].lower() or "date" in prop[3].lower() or "time" in prop[3].lower() ): - question_number=[0,4,5] - elif(prop[3]=="xsd:nonNegativeInteger" or "negative" in prop[3].lower() ): - question_number=[2,6] - elif(prop[3]=="xsd:integer" or "integer" in prop[3].lower() ): - question_number=[2,6] + question_number = [2] + if (prop[3] == "owl:Thing" or prop[3] == "xsd:string"): + question_number = [2, 4] + elif (prop[3] == "Place"): + question_number = [3, 4] + elif (prop[3] == "Person"): + question_number = [1, 4] + elif (prop[3] == "xsd:date" or "date" in prop[3] or "year" in prop[3].lower() or "date" in prop[ + 3].lower() or "time" in prop[3].lower()): + question_number = [0, 4, 5] + elif (prop[3] == "xsd:nonNegativeInteger" or "negative" in prop[3].lower()): + question_number = [2, 6] + elif (prop[3] == "xsd:integer" or "integer" in prop[3].lower()): + question_number = [2, 6] else: - question_number=[2] + question_number = [2] val = (generate_url_spec(prop[0])) prop_link = val[0] - if(prop_link=="None" or prop_link== None): + if (prop_link == "None" or prop_link == None): return derived = val[1] - prop_link = "dbo:"+prop_link.strip().split('http://dbpedia.org/ontology/')[-1] + prop_link = "dbo:" + prop_link.strip().split('http://dbpedia.org/ontology/')[-1] for number in question_number: - natural_language_question.append(question_starts_with[number]+prop[1]+ suffix) - sparql_query.append(query_starts_with[number]+"where { "+ query_suffix + prop_link +" ?x "+ query_ends_with[number]) - + natural_language_question.append(question_starts_with[number] + prop[1] + suffix) + sparql_query.append( + query_starts_with[number] + "where { " + query_suffix + prop_link + " ?x " + query_ends_with[number]) - if(query_suffix==""): - query_answer = ("select distinct(?a) where { ?a "+prop_link+" [] } ") - else : - query_answer = ("select distinct(?a) where { ?a "+query_suffix.split(" ")[0]+" [] . ?a "+query_suffix +" "+ prop_link +" ?x } ") + if (query_suffix == ""): + query_answer = ("select distinct(?a) where { ?a " + prop_link + " [] } ") + else: + query_answer = ("select distinct(?a) where { ?a " + query_suffix.split(" ")[ + 0] + " [] . ?a " + query_suffix + " " + prop_link + " ?x } ") - if(query_suffix==""): - flag = (check_query(log=log,query =query_answer.replace("select distinct(?a)","ask"))) - else : - flag = (check_query(log=log,query= query_answer.replace("select distinct(?a)","ask"))) - if(not flag): + if (query_suffix == ""): + flag = (check_query(log=log, query=query_answer.replace("select distinct(?a)", "ask"))) + else: + flag = (check_query(log=log, query=query_answer.replace("select distinct(?a)", "ask"))) + if (not flag): return - - rank = rank_check(diction=diction,count=count, query=query_answer,original_count=original_count) + + rank = rank_check(diction=diction, count=count, query=query_answer, original_count=original_count) count = count - 1 - if(count == 0): + if (count == 0): variable = "?x" else: - variable = "?x"+ str(count) - query_suffix = prop_link + " "+variable+" . "+variable+" " + variable = "?x" + str(count) + query_suffix = prop_link + " " + variable + " . " + variable + " " for number in range(len(natural_language_question)): - vessel.append([mother_ontology,"","",natural_language_question[number],sparql_query[number],query_answer]) - output_file.write((';'.join(vessel[-1])+";"+str(rank)+"\n").replace(" "," ")) - log.info(';'.join(vessel[-1])+str(rank)+"\n") - #print(str(natural_language_question)+"\n"+str(sparql_query)+"\n"+query_answer+"\n*************") - - suffix = " of "+ prop[1] +" of ?" - - if(count>0): + vessel.append([mother_ontology, "", "", natural_language_question[number], sparql_query[number], query_answer]) + output_file.write((';'.join(vessel[-1]) + ";" + str(rank) + "\n").replace(" ", " ")) + log.info(';'.join(vessel[-1]) + str(rank) + "\n") + # print(str(natural_language_question)+"\n"+str(sparql_query)+"\n"+query_answer+"\n*************") + + suffix = " of " + prop[1] + " of ?" + + if (count > 0): print(prop[3].split(":")[-1]) val = generate_url(prop[3].split(":")[-1]) url = val[0] - if(not url.startswith("http://mappings.dbpedia.org")): + if (not url.startswith("http://mappings.dbpedia.org")): return - list_of_property_information = get_properties(url=url,project_name=project_name,output_file =prop[1]+".csv" ) + list_of_property_information = get_properties(url=url, project_name=project_name, output_file=prop[1] + ".csv") for property_line in tqdm(list_of_property_information): prop_inside = property_line.split(',') - sentence_and_template_generator(log=log,original_count=original_count,diction=diction,output_file=output_file, mother_ontology=mother_ontology,vessel=vessel,prop=prop_inside, suffix = suffix,count = count, project_name=project_name, query_suffix = query_suffix ) - - + sentence_and_template_generator(log=log, original_count=original_count, diction=diction, + output_file=output_file, mother_ontology=mother_ontology, vessel=vessel, + prop=prop_inside, suffix=suffix, count=count, project_name=project_name, + query_suffix=query_suffix) if __name__ == "__main__": @@ -154,7 +169,7 @@ def sentence_and_template_generator(log,mother_ontology,vessel,prop,project_name requiredNamed = parser.add_argument_group('Required Arguments') requiredNamed.add_argument('--prop', dest='prop', metavar='prop', - help='prop: person, place etc.', required=True) + help='prop: person, place etc.', required=True) args = parser.parse_args() prop = args.prop sentence_and_template_generator(prop=prop) diff --git a/gsoc/anand/pipeline_3/pipeline_3_with_controlled_test_set/generate_url.py b/gsoc/anand/pipeline_3/pipeline_3_with_controlled_test_set/generate_url.py index d4d2019..19845a3 100755 --- a/gsoc/anand/pipeline_3/pipeline_3_with_controlled_test_set/generate_url.py +++ b/gsoc/anand/pipeline_3/pipeline_3_with_controlled_test_set/generate_url.py @@ -3,14 +3,18 @@ import json import sys import urllib +from urllib2 import urlopen import argparse from bs4 import BeautifulSoup def get_url(url): - """Fuction to extract the http://mappings.dbpedia.org/server/ontology/classes/ + """Fuction to extract the http://mappings.dbpedia.org/server/ontology/classes/ page link for the given http://mappings.dbpedia.org/index.php/OntologyClass:""" - page = urllib.request.urlopen(url) + try: #python3 + page = urllib.request.urlopen(url) + except: #python2 + page = urlopen(url) soup = BeautifulSoup(page, "html.parser") link = soup.findAll('a', attrs={"rel": "nofollow"})[0]['href'] return link diff --git a/gsoc/anand/pipeline_3/pipeline_3_with_controlled_test_set/get_properties.py b/gsoc/anand/pipeline_3/pipeline_3_with_controlled_test_set/get_properties.py index c87bfec..5c85f4b 100755 --- a/gsoc/anand/pipeline_3/pipeline_3_with_controlled_test_set/get_properties.py +++ b/gsoc/anand/pipeline_3/pipeline_3_with_controlled_test_set/get_properties.py @@ -1,4 +1,5 @@ import urllib +from urllib2 import urlopen import json import sys import csv @@ -17,7 +18,10 @@ class related information and data types as field values in each row. - This function also returns a 2D list of the information mentioned above to the calling function """ - page = urllib.request.urlopen(url) + try: # python3 + page = urllib.request.urlopen(url) + except: # python2 + page = urlopen(url) soup = BeautifulSoup(page, "html.parser") if(not os.path.isdir(project_name)): os.makedirs(project_name) diff --git a/gsoc/anand/pipeline_3/pipeline_3_with_controlled_test_set/sentence_and_template_generator.py b/gsoc/anand/pipeline_3/pipeline_3_with_controlled_test_set/sentence_and_template_generator.py index 6c00c22..703c63f 100755 --- a/gsoc/anand/pipeline_3/pipeline_3_with_controlled_test_set/sentence_and_template_generator.py +++ b/gsoc/anand/pipeline_3/pipeline_3_with_controlled_test_set/sentence_and_template_generator.py @@ -1,155 +1,178 @@ # Read the description in the supplied readme.md import argparse -from generate_url import generate_url_spec , generate_url +from generate_url import generate_url_spec, generate_url from get_properties import get_properties import urllib +from urllib2 import urlopen import urllib.parse from bs4 import BeautifulSoup import os from tqdm import tqdm -def rank_check(query,diction,count,original_count): + +def rank_check(query, diction, count, original_count): query_original = query - count = original_count-count + count = original_count - count ques = " " for value in range(count): - if(value == 0): - ques = ques+"?x " + if (value == 0): + ques = ques + "?x " else: - ques = ques+"?x"+str(value+1)+" " - query = query.replace("(?a)","(?a)"+ ques) + " order by RAND() limit 100" - #print(query) - query = urllib.parse.quote(query) - url = "https://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query="+query+"&format=text%2Fhtml&CXML_redir_for_subjs=121&CXML_redir_for_hrefs=&timeout=30000&debug=on&run=+Run+Query+" + ques = ques + "?x" + str(value + 1) + " " + query = query.replace("(?a)", "(?a)" + ques) + " order by RAND() limit 100" + # print(query) + try: # python3 + query = urllib.parse.quote_plus(query) + except: # python2 + query = urllib.quote_plus(query) + url = "https://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query=" + query + "&format=text%2Fhtml&CXML_redir_for_subjs=121&CXML_redir_for_hrefs=&timeout=30000&debug=on&run=+Run+Query+" # url = "https://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query="+query + \ # "&format=application%2Fsparql-results%2Bjson&CXML_redir_for_subjs=121&CXML_redir_for_hrefs=&timeout=30000&debug=on&run=+Run+Query+" - #print(url) - page = urllib.request.urlopen(url) + # print(url) + try: # python3 + page = urllib.request.urlopen(url) + except: # python2 + page = urlopen(url) soup = BeautifulSoup(page, "html.parser") total = len(soup.find_all("tr")) accum = 0 for rows in (soup.find_all("tr")): for td in rows.find_all("a"): - damp=0.85 - denom = 0 + damp = 0.85 + denom = 0 interaccum = 0 for a in td: - if(a in diction.keys()): - denom+=1 - damp*=damp - interaccum+=damp*float(diction[a]) + if (a in diction.keys()): + denom += 1 + damp *= damp + interaccum += damp * float(diction[a]) """ print (a.get_text()) if(a.get_text() in diction.keys()): print(diction(a.get_text())) """ - if(denom): - interaccum = interaccum/denom - accum+=interaccum - return float(accum/total) + if (denom): + interaccum = interaccum / denom + accum += interaccum + return float(accum / total) + -def check_query(log,query): +def check_query(log, query): query_original = query - query = urllib.parse.quote_plus(query) - url = "https://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query="+query+"&format=text%2Fhtml&CXML_redir_for_subjs=121&CXML_redir_for_hrefs=&timeout=30000&debug=on&run=+Run+Query+" - #print(url) - page = urllib.request.urlopen(url) + try: # python3 + query = urllib.parse.quote_plus(query) + except: # python2 + query = urllib.quote_plus(query) + url = "https://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query=" + query + "&format=text%2Fhtml&CXML_redir_for_subjs=121&CXML_redir_for_hrefs=&timeout=30000&debug=on&run=+Run+Query+" + # print(url) + try: # python3 + page = urllib.request.urlopen(url) + except: # python2 + page = urlopen(url) soup = BeautifulSoup(page, "html.parser") - #print((soup.text)) - if(soup.text=="false"): + # print((soup.text)) + if (soup.text == "false"): log.error(url) - log.error(query_original ) + log.error(query_original) return False - elif(soup.text == "true"): - #log.info(url) - #log.info(query_original ) + elif (soup.text == "true"): + # log.info(url) + # log.info(query_original ) return True else: log.error("Broken Link") log.error(url) - log.error(query_original ) + log.error(query_original) -def sentence_and_template_generator(prop_dic,test_set,log,mother_ontology,vessel,prop,project_name,output_file,diction,original_count=0,count=0, suffix = " of ?", query_suffix = ""): - if(type(prop)==str): +def sentence_and_template_generator(prop_dic, test_set, log, mother_ontology, vessel, prop, project_name, output_file, + diction, original_count=0, count=0, suffix=" of ?", query_suffix=""): + if (type(prop) == str): prop = prop.split(',') - #original_count = count + # original_count = count natural_language_question = [] sparql_query = [] - question_form = open("../utility/question_form.csv",'r').readlines() - question_starts_with =question_form[0].split(',') + question_form = open("../utility/question_form.csv", 'r').readlines() + question_starts_with = question_form[0].split(',') query_starts_with = question_form[1].split(',') query_ends_with = question_form[2].split(',') - question_number=[2] - if(prop[3]=="owl:Thing" or prop[3]=="xsd:string"): - question_number=[2,4] - elif(prop[3]=="Place"): - question_number=[3,4] - elif(prop[3]=="Person"): - question_number=[1,4] - elif(prop[3]=="xsd:date" or "date" in prop[3] or "year" in prop[3] or "date" in prop[3] or "time" in prop[3] ): - question_number=[0,4,5] - elif(prop[3]=="xsd:nonNegativeInteger" or "negative" in prop[3].lower() ): - question_number=[2,6] - elif(prop[3]=="xsd:integer" or "integer" in prop[3].lower() ): - question_number=[2,6] + question_number = [2] + if (prop[3] == "owl:Thing" or prop[3] == "xsd:string"): + question_number = [2, 4] + elif (prop[3] == "Place"): + question_number = [3, 4] + elif (prop[3] == "Person"): + question_number = [1, 4] + elif (prop[3] == "xsd:date" or "date" in prop[3] or "year" in prop[3] or "date" in prop[3] or "time" in prop[3]): + question_number = [0, 4, 5] + elif (prop[3] == "xsd:nonNegativeInteger" or "negative" in prop[3].lower()): + question_number = [2, 6] + elif (prop[3] == "xsd:integer" or "integer" in prop[3].lower()): + question_number = [2, 6] else: - question_number=[2] + question_number = [2] val = (generate_url_spec(prop[0])) prop_link = val[0] - if(prop_link=="None" or prop_link== None): + if (prop_link == "None" or prop_link == None): return derived = val[1] - prop_link = "dbo:"+prop_link.strip().split('http://dbpedia.org/ontology/')[-1] + prop_link = "dbo:" + prop_link.strip().split('http://dbpedia.org/ontology/')[-1] for number in question_number: - natural_language_question.append(question_starts_with[number]+prop[1]+ suffix) - sparql_query.append(query_starts_with[number]+"where { "+ query_suffix + prop_link +" ?x "+ query_ends_with[number]) - + natural_language_question.append(question_starts_with[number] + prop[1] + suffix) + sparql_query.append( + query_starts_with[number] + "where { " + query_suffix + prop_link + " ?x " + query_ends_with[number]) - if(query_suffix==""): - query_answer = ("select distinct(?a) where { ?a "+prop_link+" [] } ") - else : - query_answer = ("select distinct(?a) where { ?a "+query_suffix.split(" ")[0]+" [] . ?a "+query_suffix +" "+ prop_link +" ?x } ") + if (query_suffix == ""): + query_answer = ("select distinct(?a) where { ?a " + prop_link + " [] } ") + else: + query_answer = ("select distinct(?a) where { ?a " + query_suffix.split(" ")[ + 0] + " [] . ?a " + query_suffix + " " + prop_link + " ?x } ") - if(query_suffix==""): - flag = (check_query(log=log,query =query_answer.replace("select distinct(?a)","ask"))) - else : - flag = (check_query(log=log,query= query_answer.replace("select distinct(?a)","ask"))) - if(not flag): + if (query_suffix == ""): + flag = (check_query(log=log, query=query_answer.replace("select distinct(?a)", "ask"))) + else: + flag = (check_query(log=log, query=query_answer.replace("select distinct(?a)", "ask"))) + if (not flag): return - - rank = rank_check(diction=diction,count=count, query=query_answer,original_count=original_count) + + rank = rank_check(diction=diction, count=count, query=query_answer, original_count=original_count) count = count - 1 - if(count == 0): + if (count == 0): variable = "?x" else: - variable = "?x"+ str(count) - query_suffix = prop_link + " "+variable+" . "+variable+" " - #for temp_counter in range(original_count): - if( not prop[0] in prop_dic[original_count-count-1]): + variable = "?x" + str(count) + query_suffix = prop_link + " " + variable + " . " + variable + " " + # for temp_counter in range(original_count): + if (not prop[0] in prop_dic[original_count - count - 1]): for number in range(len(natural_language_question)): - vessel.append([mother_ontology,"","",natural_language_question[number],sparql_query[number],query_answer]) - output_file.write((';'.join(vessel[-1])+";"+str(rank)+"\n").replace(" "," ")) - log.info(';'.join(vessel[-1])+str(rank)+"\n") + vessel.append( + [mother_ontology, "", "", natural_language_question[number], sparql_query[number], query_answer]) + output_file.write((';'.join(vessel[-1]) + ";" + str(rank) + "\n").replace(" ", " ")) + log.info(';'.join(vessel[-1]) + str(rank) + "\n") else: for number in range(len(natural_language_question)): - vessel.append([mother_ontology,"","",natural_language_question[number],sparql_query[number],query_answer]) - test_set.write((';'.join(vessel[-1])+";"+str(rank)+"\n").replace(" "," ")) - log.info("Test: "+';'.join(vessel[-1])+str(rank)+"\n") - prop_dic[original_count-count-1].append(prop[0]) - #print(str(natural_language_question)+"\n"+str(sparql_query)+"\n"+query_answer+"\n*************") - - suffix = " of "+ prop[1] +" of ?" - - if(count>0): + vessel.append( + [mother_ontology, "", "", natural_language_question[number], sparql_query[number], query_answer]) + test_set.write((';'.join(vessel[-1]) + ";" + str(rank) + "\n").replace(" ", " ")) + log.info("Test: " + ';'.join(vessel[-1]) + str(rank) + "\n") + prop_dic[original_count - count - 1].append(prop[0]) + # print(str(natural_language_question)+"\n"+str(sparql_query)+"\n"+query_answer+"\n*************") + + suffix = " of " + prop[1] + " of ?" + + if (count > 0): print(prop[3].split(":")[-1]) val = generate_url(prop[3].split(":")[-1]) url = val[0] - if(not url.startswith("http://mappings.dbpedia.org")): + if (not url.startswith("http://mappings.dbpedia.org")): return - list_of_property_information = get_properties(url=url,project_name=project_name,output_file =prop[1]+".csv" ) + list_of_property_information = get_properties(url=url, project_name=project_name, output_file=prop[1] + ".csv") for property_line in tqdm(list_of_property_information): prop_inside = property_line.split(',') - sentence_and_template_generator(prop_dic=prop_dic,test_set= test_set,log=log,original_count=original_count,diction=diction,output_file=output_file, mother_ontology=mother_ontology,vessel=vessel,prop=prop_inside, suffix = suffix,count = count, project_name=project_name, query_suffix = query_suffix ) - + sentence_and_template_generator(prop_dic=prop_dic, test_set=test_set, log=log, + original_count=original_count, diction=diction, output_file=output_file, + mother_ontology=mother_ontology, vessel=vessel, prop=prop_inside, + suffix=suffix, count=count, project_name=project_name, + query_suffix=query_suffix) + From d528f4c7ada04ee7f934e265ca86bf4642ba6dd1 Mon Sep 17 00:00:00 2001 From: BaiBlanc <1458491606@qq.com> Date: Sun, 14 Jun 2020 16:12:50 +0200 Subject: [PATCH 2/3] New Pipeline copied form Anand's pipeline3 paraphrase function integrated --- gsoc/zheyuan/README.md | 0 gsoc/zheyuan/pipeline/eliminator.py | 39 + gsoc/zheyuan/pipeline/fetch_ranks.py | 19 + gsoc/zheyuan/pipeline/fetch_ranks_sub.py | 21 + gsoc/zheyuan/pipeline/generate_templates.py | 70 + gsoc/zheyuan/pipeline/generate_url.py | 106 + gsoc/zheyuan/pipeline/get_properties.py | 70 + gsoc/zheyuan/pipeline/paraphrase_questions.py | 108 + gsoc/zheyuan/pipeline/question_generator.py | 26 + .../sentence_and_template_generator.py | 176 + gsoc/zheyuan/pipeline/textual_similarity.py | 36 + gsoc/zheyuan/utility/dbpedia.owl | 9028 +++++++++++++++++ gsoc/zheyuan/utility/question_form.csv | 3 + 13 files changed, 9702 insertions(+) create mode 100644 gsoc/zheyuan/README.md create mode 100755 gsoc/zheyuan/pipeline/eliminator.py create mode 100755 gsoc/zheyuan/pipeline/fetch_ranks.py create mode 100755 gsoc/zheyuan/pipeline/fetch_ranks_sub.py create mode 100755 gsoc/zheyuan/pipeline/generate_templates.py create mode 100755 gsoc/zheyuan/pipeline/generate_url.py create mode 100755 gsoc/zheyuan/pipeline/get_properties.py create mode 100644 gsoc/zheyuan/pipeline/paraphrase_questions.py create mode 100755 gsoc/zheyuan/pipeline/question_generator.py create mode 100755 gsoc/zheyuan/pipeline/sentence_and_template_generator.py create mode 100644 gsoc/zheyuan/pipeline/textual_similarity.py create mode 100755 gsoc/zheyuan/utility/dbpedia.owl create mode 100755 gsoc/zheyuan/utility/question_form.csv diff --git a/gsoc/zheyuan/README.md b/gsoc/zheyuan/README.md new file mode 100644 index 0000000..e69de29 diff --git a/gsoc/zheyuan/pipeline/eliminator.py b/gsoc/zheyuan/pipeline/eliminator.py new file mode 100755 index 0000000..2a969b3 --- /dev/null +++ b/gsoc/zheyuan/pipeline/eliminator.py @@ -0,0 +1,39 @@ +from tqdm import tqdm +import argparse + +def eliminator(): + """ + The function remove the templates which are considered as less popular + based on the proposed ranking mechanism, the input files should be pre processed + and a TRUE or FALSE should be added as the last column. + + This function just removes the entries with FALSE as the last entry in a row + and create a file name new_train.csv to be used for futher purposes. + """ + lines = open(location,'r').readlines() + print(len(lines)) + accum = [] + nspm_ready = open("new_train.csv",'w') + for line in tqdm(lines): + values = line.split(",") + if(len(values)<8): + print("Input file is of wrong format, please add the corect bolean values as the last column entry to use this function") + print(values[-1]) + if(values[-1]=="TRUE\n"): + accum.append(";".join(values[:-2])+"\n") + nspm_ready.write(accum[-1]) + nspm_ready.close() + +if __name__ == "__main__": + parser = argparse.ArgumentParser() + requiredNamed = parser.add_argument_group('Required Arguments') + + requiredNamed.add_argument('--location', dest='location', metavar='location', + help='location of the file to be pruned.', required=True) + args = parser.parse_args() + location = args.location + eliminator(location) + pass + + + \ No newline at end of file diff --git a/gsoc/zheyuan/pipeline/fetch_ranks.py b/gsoc/zheyuan/pipeline/fetch_ranks.py new file mode 100755 index 0000000..57f1c56 --- /dev/null +++ b/gsoc/zheyuan/pipeline/fetch_ranks.py @@ -0,0 +1,19 @@ +from tqdm import tqdm +import numpy as np + +def fetch_ranks(filename='../utility/wikidata.rank'): + """ + The function loads rank from a supplied position. + """ + sub = open(filename,'r').readlines() + diction={} + + print("Loading Rankings") + for val in tqdm(sub): + diction[val.split('\t')[0]] = float(val.split('\t')[1]) + return diction + +if __name__ == "__main__": + fetch_ranks() + pass + diff --git a/gsoc/zheyuan/pipeline/fetch_ranks_sub.py b/gsoc/zheyuan/pipeline/fetch_ranks_sub.py new file mode 100755 index 0000000..fddfbe4 --- /dev/null +++ b/gsoc/zheyuan/pipeline/fetch_ranks_sub.py @@ -0,0 +1,21 @@ +from tqdm import tqdm +import numpy as np + +def fetch_ranks(filename='part-r-00000'): + """ + The function loads ranks from a supplied location, + The ranks fileshould belong to the subjective 3d format + of saving ranks. + """ + sub = open(filename,'r').readlines() + diction={} + + print("Loading Rankings") + for val in tqdm(sub): + diction[val.split('\t')[0].strip()[1:-1].strip()] = float(val.split('\t')[-2].split('"')[1]) + return diction + +if __name__ == "__main__": + fetch_ranks() + pass + diff --git a/gsoc/zheyuan/pipeline/generate_templates.py b/gsoc/zheyuan/pipeline/generate_templates.py new file mode 100755 index 0000000..437a9a9 --- /dev/null +++ b/gsoc/zheyuan/pipeline/generate_templates.py @@ -0,0 +1,70 @@ +import argparse +from get_properties import get_properties +from generate_url import generate_url +from sentence_and_template_generator import sentence_and_template_generator +import os +from fetch_ranks_sub import fetch_ranks +import logging + +def generate_templates(label,project_name,depth=1,output_file="sentence_and_template_generator"): + """ + The function acts as a wrapper for the whole package of supplied source code. + """ + val = generate_url(label) + url = val[0] + about = (val[1]) + count =0 + vessel= [] + depth=int(depth) + diction = fetch_ranks("../utility/part-r-00000") + if(not os.path.isdir(project_name)): + os.makedirs(project_name) + output_file = open(project_name+"/" + output_file, 'w') + test_set = open(project_name+"/" + "test.csv", 'w') + expand_set = open(project_name+"/" + "expand.csv", 'w') + prop_dic = {} + for iterator in range(depth): + prop_dic[iterator] = [] + # Create a logger object + logger = logging.getLogger() + + # Configure logger + logging.basicConfig(filename=project_name+"/logfile.log", format='%(filename)s: %(message)s', filemode='w') + + # Setting threshold level + logger.setLevel(logging.DEBUG) + + # Use the logging methods + #logger.debug("This is a debug message") + logger.info("This is a log file.") + #logger.warning("This is a warning message") + #logger.error("This is an error message") + #logger.critical("This is a critical message") + + list_of_property_information = get_properties(url=url,project_name=project_name,output_file = "get_properties.csv") + for property_line in list_of_property_information: + count+=1 + prop = property_line.split(',') + print("**************\n"+str(prop)) + sentence_and_template_generator(expand_set=expand_set, original_count=depth,prop_dic=prop_dic,test_set=test_set,log=logger,diction=diction,output_file=output_file,mother_ontology=about.strip().replace("http://dbpedia.org/ontology/","dbo:"),vessel=vessel,project_name=project_name ,prop=prop, suffix = " of ?",count = depth) + output_file.close() + +if __name__ == "__main__": + """ + Section to parse the command line arguments. + """ + parser = argparse.ArgumentParser() + requiredNamed = parser.add_argument_group('Required Arguments') + + requiredNamed.add_argument('--label', dest='label', metavar='label', + help='label: person, place etc.', required=True) + requiredNamed.add_argument( + '--project_name', dest='project_name', metavar='project_name', help='test', required=True) + requiredNamed.add_argument( + '--depth', dest='depth', metavar='depth', help='Mention the depth you want to go in the knowledge graph (The number of questions will increase exponentially!), e.g. 2', required=False) + args = parser.parse_args() + label = args.label + project_name = args.project_name + depth = args.depth + generate_templates(label=label,project_name=project_name,depth=depth) + pass \ No newline at end of file diff --git a/gsoc/zheyuan/pipeline/generate_url.py b/gsoc/zheyuan/pipeline/generate_url.py new file mode 100755 index 0000000..d4d2019 --- /dev/null +++ b/gsoc/zheyuan/pipeline/generate_url.py @@ -0,0 +1,106 @@ +import xmltodict +import pprint +import json +import sys +import urllib +import argparse +from bs4 import BeautifulSoup + + +def get_url(url): + """Fuction to extract the http://mappings.dbpedia.org/server/ontology/classes/ + page link for the given http://mappings.dbpedia.org/index.php/OntologyClass:""" + page = urllib.request.urlopen(url) + soup = BeautifulSoup(page, "html.parser") + link = soup.findAll('a', attrs={"rel": "nofollow"})[0]['href'] + return link + + +def generate_url(given_label): + """ + - This function generates a proper url to extract information about class, properties and + data types from the DBpedia database. (Like:​ http://mappings.dbpedia.org/server/ontology/classes/Place​ ) + - It returns a url string to the calling function. + """ + xmldoc = open('../utility/dbpedia.owl').read() + jsondoc = ((xmltodict.parse(xmldoc))) + count = 0 + + for onto in jsondoc['rdf:RDF'].keys(): + if(not (onto == 'owl:Class')): + continue + for val in ((jsondoc['rdf:RDF'][onto])): + count += 1 + about = val['@rdf:about'] + label = "" + for lang in (val['rdfs:label']): + if(lang['@xml:lang'] == 'en'): + # print("Label: "+lang['#text']) + label = lang['#text'] + if(type(val['rdfs:subClassOf']) == list): + for subcl in val['rdfs:subClassOf']: + #print("Sub-class of: "+subcl['@rdf:resource']) + pass + elif(type(val['rdfs:subClassOf']) != "list"): + #print("Sub-class of: "+val['rdfs:subClassOf']['@rdf:resource']) + pass + url = val['prov:wasDerivedFrom']['@rdf:resource'] + #print("URL:" + url) + if(given_label == val['@rdf:about'].split('http://dbpedia.org/ontology/')[-1]): + return [get_url(url),about] + return ["None","None"] + + + +if __name__ == "__main__": + """ + Use the format 'python.py generate_url --label ` + Section to parse the command line arguments. + """ + parser = argparse.ArgumentParser() + requiredNamed = parser.add_argument_group('Required Arguments') + + requiredNamed.add_argument('--label', dest='label', metavar='label', + help='label: person, place etc.', required=True) + args = parser.parse_args() + label = args.label + print(generate_url(label)) + pass + +def generate_url_spec(given_label): + xmldoc = open('../utility/dbpedia.owl').read() + jsondoc = ((xmltodict.parse(xmldoc))) + for onto in jsondoc['rdf:RDF'].keys(): + if(not (onto == 'owl:DatatypeProperty' or onto == "owl:ObjectProperty")): + continue + for val in ((jsondoc['rdf:RDF'][onto])): + wiki_number = "None" + try: + for value in val['owl:equivalentClass']['@rdf:resource']: + if "wikidata" in value: + wiki_number= value.strip().split("/")[-1] + except: + pass + derived = "" + try: + derived = val['prov:wasDerivedFrom']['@rdf:resource'] + except: + derived = "None" + label = "" + try: + if(type(val['rdfs:label']) == list): + for lang in (val['rdfs:label']): + if(lang['@xml:lang'] == 'en'): + # print("Label: "+lang['#text']) + label = lang['#text'] + elif(type(val['rdfs:label']) != "list"): + lang = dict(val['rdfs:label']) + label = lang['#text'] + pass + if(given_label == val['@rdf:about'].split('http://dbpedia.org/ontology/')[-1]): + return [val['@rdf:about'],derived,wiki_number] + except: + if(given_label == val['@rdf:about'].split('http://dbpedia.org/ontology/')[-1]): + return [val['@rdf:about'],derived,wiki_number] + continue + return ["None", "None", "None"] diff --git a/gsoc/zheyuan/pipeline/get_properties.py b/gsoc/zheyuan/pipeline/get_properties.py new file mode 100755 index 0000000..c87bfec --- /dev/null +++ b/gsoc/zheyuan/pipeline/get_properties.py @@ -0,0 +1,70 @@ +import urllib +import json +import sys +import csv +import io +import argparse +import os +from bs4 import BeautifulSoup +from tqdm import tqdm + +def get_properties(url, project_name="test_project", output_file = "get_properties.csv"): + """ + - This function extracts the information regarding : [Name, Label, Domain, Range] from a page like this : + http://mappings.dbpedia.org/server/ontology/classes/Place and saves it in a file in CSV format. + - This code on execution creates a csv which contains all the properties, ontology, + class related information and data types as field values in each row. + - This function also returns a 2D list of the information mentioned above to the calling + function + """ + page = urllib.request.urlopen(url) + soup = BeautifulSoup(page, "html.parser") + if(not os.path.isdir(project_name)): + os.makedirs(project_name) + output_file = open(project_name+"/" + output_file, 'w') + fl = 0 + accum = [] + for rows in tqdm(soup.find_all("tr")): + x = rows.find_all("td") + if len(x) <= 2: + fl = 1 + continue + if fl == 1: + fl = 2 + continue + name = rows.find_all("td")[0].get_text().replace(" (edit)", "") + label = rows.find_all("td")[1].get_text() + dom = rows.find_all("td")[2].get_text() + rng = rows.find_all("td")[3].get_text() + URL_name = ((rows.find_all("td")[0].find('a').attrs['href'])) + final = name + "," + label + "," + dom + "," + rng + #+ ","+ URL_name.split(':')[-1] + accum.append(final) + output_file.write(final+"\n") + output_file.close() + return accum + + +""" +Name, Label, Domain, Range, URL_name +""" + +if __name__ == "__main__": + """ + Section to parse the command line arguments. + """ + parser = argparse.ArgumentParser() + requiredNamed = parser.add_argument_group('Required Arguments') + + requiredNamed.add_argument('--url', dest='url', metavar='url', + help='Webpage URL: eg-http://mappings.dbpedia.org/server/ontology/classes/Place', required=True) + requiredNamed.add_argument( + '--output_file', dest='out_put', metavar='out_put', help='temp.csv', required=True) + requiredNamed.add_argument( + '--project_name', dest='project_name', metavar='project_name', help='test', required=True) + args = parser.parse_args() + url = args.url + output_file = args.out_put + project_name = args.project_name + get_properties(url = url, project_name= project_name, output_file = output_file) + pass diff --git a/gsoc/zheyuan/pipeline/paraphrase_questions.py b/gsoc/zheyuan/pipeline/paraphrase_questions.py new file mode 100644 index 0000000..8df7192 --- /dev/null +++ b/gsoc/zheyuan/pipeline/paraphrase_questions.py @@ -0,0 +1,108 @@ +import tensorflow_hub as hub +import tensorflow as tf +import zipfile +import requests, zipfile, io +import os +import re +import argparse +import torch +from transformers import T5ForConditionalGeneration,T5Tokenizer +# pip install transformers==2.9.0 +from constant import Constant +from textual_similarity import similarity + +const = Constant() + +const.URL = "https://datascience-models-ramsri.s3.amazonaws.com/t5_paraphraser.zip" + +def get_pretrained_model(zip_file_url): + model_name = zip_file_url.split("/")[-1].replace(".zip", "") + folder_path = './{}'.format(model_name) + print('Get pretained model {}'.format(model_name)) + + if not os.path.exists(folder_path): + r = requests.get(zip_file_url) + z = zipfile.ZipFile(io.BytesIO(r.content)) + z.extractall(folder_path) + else: + print("Folder available: ", folder_path) + + print('Finish {}'.format(model_name)) + return folder_path + +def set_seed(seed): + torch.manual_seed(seed) + if torch.cuda.is_available(): + torch.cuda.manual_seed_all(seed) + + +def paraphrase_questions(sentence): + sentence = sentence.replace("", "XYZ") + folder_path = get_pretrained_model(const.URL) + set_seed(42) + + model = T5ForConditionalGeneration.from_pretrained(folder_path) + tokenizer = T5Tokenizer.from_pretrained('t5-base') + + device = torch.device("cuda" if torch.cuda.is_available() else "cpu") + print("device ", device) + model = model.to(device) + + text = "paraphrase: " + sentence + " " + + max_len = 256 + + encoding = tokenizer.encode_plus(text, pad_to_max_length=True, return_tensors="pt") + input_ids, attention_masks = encoding["input_ids"].to(device), encoding["attention_mask"].to(device) + beam_outputs = model.generate( + input_ids=input_ids, attention_mask=attention_masks, + do_sample=True, + max_length=256, + top_k=120, + top_p=0.98, + early_stopping=True, + num_return_sequences=10 + ) + print("\nOriginal Question ::") + print(sentence) + print("\n") + print("Paraphrased Questions :: ") + final_outputs = [] + for beam_output in beam_outputs: + sent = tokenizer.decode(beam_output, skip_special_tokens=True, clean_up_tokenization_spaces=True) + if sent.lower() != sentence.lower() and sent not in final_outputs: + sent = re.sub('XYZ', '', sent, flags=re.IGNORECASE) + final_outputs.append([sent]) + + for i, final_output in enumerate(final_outputs): + print("{}: {}".format(i, final_output[0])) + semantic_similarity = similarity(sentence, final_output[0]) + final_output.append(semantic_similarity) + return final_outputs + + + + + +if __name__ == "__main__": + """ + Section to parse the command line arguments. + """ + parser = argparse.ArgumentParser() + requiredNamed = parser.add_argument_group('Required Arguments') + + requiredNamed.add_argument('--sentence', dest='sentence', metavar='sentence', + help='sentence', required=True) + + # requiredNamed.add_argument( + # '--project_name', dest='project_name', metavar='project_name', help='test', required=True) + # requiredNamed.add_argument( + # '--depth', dest='depth', metavar='depth', help='Mention the depth you want to go in the knowledge graph (The number of questions will increase exponentially!), e.g. 2', required=False) + args = parser.parse_args() + sentence = args.sentence + + # project_name = args.project_name + # depth = args.depth + + print(paraphrase_questions(sentence)) + pass \ No newline at end of file diff --git a/gsoc/zheyuan/pipeline/question_generator.py b/gsoc/zheyuan/pipeline/question_generator.py new file mode 100755 index 0000000..7255e8d --- /dev/null +++ b/gsoc/zheyuan/pipeline/question_generator.py @@ -0,0 +1,26 @@ +import json +import argparse + +def question_generator(query): + pass + + + +if __name__ == "__main__": + """ + Section to parse the command line arguments. + """ + parser = argparse.ArgumentParser() + requiredNamed = parser.add_argument_group('Required Arguments') + + requiredNamed.add_argument('--url', dest='url', metavar='url', + help='Webpage URL: eg-http://mappings.dbpedia.org/server/ontology/classes/Place', required=True) + requiredNamed.add_argument( + '--output_file', dest='out_put', metavar='out_put', help='temp.csv', required=True) + requiredNamed.add_argument( + '--project_name', dest='project_name', metavar='project_name', help='test', required=True) + args = parser.parse_args() + url = args.url + output_file = args.out_put + project_name = args.project_name + pass \ No newline at end of file diff --git a/gsoc/zheyuan/pipeline/sentence_and_template_generator.py b/gsoc/zheyuan/pipeline/sentence_and_template_generator.py new file mode 100755 index 0000000..be4117a --- /dev/null +++ b/gsoc/zheyuan/pipeline/sentence_and_template_generator.py @@ -0,0 +1,176 @@ +# Read the description in the supplied readme.md +import argparse +from generate_url import generate_url_spec , generate_url +from get_properties import get_properties +from paraphrase_questions import paraphrase_questions +import urllib +import urllib.parse +from bs4 import BeautifulSoup +import os +import re +from tqdm import tqdm + +def rank_check(query,diction,count,original_count): + query_original = query + count = original_count-count + ques = " " + for value in range(count): + if(value == 0): + ques = ques+"?x " + else: + ques = ques+"?x"+str(value+1)+" " + query = query.replace("(?a)","(?a)"+ ques) + " order by RAND() limit 100" + #print(query) + query = urllib.parse.quote(query) + url = "https://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query="+query+"&format=text%2Fhtml&CXML_redir_for_subjs=121&CXML_redir_for_hrefs=&timeout=30000&debug=on&run=+Run+Query+" + # url = "https://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query="+query + \ + # "&format=application%2Fsparql-results%2Bjson&CXML_redir_for_subjs=121&CXML_redir_for_hrefs=&timeout=30000&debug=on&run=+Run+Query+" + #print(url) + page = urllib.request.urlopen(url) + soup = BeautifulSoup(page, "html.parser") + total = len(soup.find_all("tr")) + accum = 0 + for rows in (soup.find_all("tr")): + for td in rows.find_all("a"): + damp=0.85 + denom = 0 + interaccum = 0 + for a in td: + if(a in diction.keys()): + denom+=1 + damp*=damp + interaccum+=damp*float(diction[a]) + """ print (a.get_text()) + if(a.get_text() in diction.keys()): + print(diction(a.get_text())) """ + if(denom): + interaccum = interaccum/denom + accum+=interaccum + return float(accum/total) + +def check_query(log,query): + query_original = query + query = urllib.parse.quote_plus(query) + url = "https://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query="+query+"&format=text%2Fhtml&CXML_redir_for_subjs=121&CXML_redir_for_hrefs=&timeout=30000&debug=on&run=+Run+Query+" + #print(url) + page = urllib.request.urlopen(url) + soup = BeautifulSoup(page, "html.parser") + #print((soup.text)) + if(soup.text=="false"): + log.error(url) + log.error(query_original ) + return False + elif(soup.text == "true"): + #log.info(url) + #log.info(query_original ) + return True + else: + log.error("Broken Link") + log.error(url) + log.error(query_original ) + + +def sentence_and_template_generator(expand_set, prop_dic,test_set,log,mother_ontology,vessel,prop,project_name,output_file,diction,original_count=0,count=0, suffix = " of ?", query_suffix = ""): + + if(type(prop)==str): + prop = prop.split(',') + #original_count = count + natural_language_question = [] + sparql_query = [] + expanded_nl_question = [] + expanded_sparql_query = [] + question_form = open("../utility/question_form.csv",'r').readlines() + question_starts_with =question_form[0].split(',') + query_starts_with = question_form[1].split(',') + query_ends_with = question_form[2].split(',') + question_number=[2] + if(prop[3]=="owl:Thing" or prop[3]=="xsd:string"): + question_number=[2,4] + elif(prop[3]=="Place"): + question_number=[3,4] + elif(prop[3]=="Person"): + question_number=[1,4] + elif(prop[3]=="xsd:date" or "date" in prop[3] or "year" in prop[3] or "date" in prop[3] or "time" in prop[3] ): + question_number=[0,4,5] + elif(prop[3]=="xsd:nonNegativeInteger" or "negative" in prop[3].lower() ): + question_number=[2,6] + elif(prop[3]=="xsd:integer" or "integer" in prop[3].lower() ): + question_number=[2,6] + else: + question_number=[2] + + val = (generate_url_spec(prop[0])) + prop_link = val[0] + if(prop_link=="None" or prop_link== None): + return + derived = val[1] + prop_link = "dbo:"+prop_link.strip().split('http://dbpedia.org/ontology/')[-1] + + for number in question_number: + original_question = question_starts_with[number]+prop[1]+ suffix + original_sparql = query_starts_with[number]+"where { "+ query_suffix + prop_link +" ?x "+ query_ends_with[number] + natural_language_question.append(original_question) + sparql_query.append(original_sparql) + if count == original_count: + + # candidates = paraphrase_questions(original_question.replace("", "XYZ")) + # @todo establish a cirteria to determine whether to expand the current template pair + # For instance, just randomly pick up the first one from the candidates to expand templates + # and restore it with the orignial SPARQL template + # expanded_nl_question.append(candidates[0][0]) + # expanded_sparql_query.append(original_sparql) + pass + + if(query_suffix==""): + query_answer = ("select distinct(?a) where { ?a "+prop_link+" [] } ") + else : + query_answer = ("select distinct(?a) where { ?a "+query_suffix.split(" ")[0]+" [] . ?a "+query_suffix +" "+ prop_link +" ?x } ") + + if(query_suffix==""): + flag = (check_query(log=log,query =query_answer.replace("select distinct(?a)","ask"))) + else : + flag = (check_query(log=log,query= query_answer.replace("select distinct(?a)","ask"))) + if(not flag): + return + + rank = rank_check(diction=diction,count=count, query=query_answer ,original_count=original_count) + + count = count - 1 + if(count == 0): + variable = "?x" + else: + variable = "?x"+ str(count) + query_suffix = prop_link + " "+variable+" . "+variable+" " + #for temp_counter in range(original_count): + if( not prop[0] in prop_dic[original_count-count-1]): + for number in range(len(natural_language_question)): + vessel.append([mother_ontology,"","",natural_language_question[number],sparql_query[number],query_answer]) + output_file.write((';'.join(vessel[-1])+";"+str(rank)+"\n").replace(" "," ")) + log.info(';'.join(vessel[-1])+str(rank)+"\n") + if expanded_sparql_query: + expand_line = [mother_ontology,"","",expanded_sparql_query[number],expanded_sparql_query[number],query_answer] + expand_set.write((';'.join(expand_line)+";"+str(rank)+"\n").replace(" "," ")) + else: + for number in range(len(natural_language_question)): + vessel.append([mother_ontology,"","",natural_language_question[number],sparql_query[number],query_answer]) + test_set.write((';'.join(vessel[-1])+";"+str(rank)+"\n").replace(" "," ")) + log.info("Test: "+';'.join(vessel[-1])+str(rank)+"\n") + if expanded_sparql_query: + expand_line = [mother_ontology,"","",expanded_sparql_query[number],expanded_sparql_query[number],query_answer] + expand_set.write((';'.join(expand_line)+";"+str(rank)+"\n").replace(" "," ")) + prop_dic[original_count-count-1].append(prop[0]) + #print(str(natural_language_question)+"\n"+str(sparql_query)+"\n"+query_answer+"\n*************") + + suffix = " of "+ prop[1] +" of ?" + + if(count>0): + print(prop[3].split(":")[-1]) + val = generate_url(prop[3].split(":")[-1]) + url = val[0] + if(not url.startswith("http://mappings.dbpedia.org")): + return + list_of_property_information = get_properties(url=url,project_name=project_name,output_file =prop[1]+".csv" ) + for property_line in tqdm(list_of_property_information): + prop_inside = property_line.split(',') + sentence_and_template_generator(expand_set=expand_set, prop_dic=prop_dic,test_set= test_set,log=log,original_count=original_count,diction=diction,output_file=output_file, mother_ontology=mother_ontology,vessel=vessel,prop=prop_inside, suffix = suffix,count = count, project_name=project_name, query_suffix = query_suffix ) + diff --git a/gsoc/zheyuan/pipeline/textual_similarity.py b/gsoc/zheyuan/pipeline/textual_similarity.py new file mode 100644 index 0000000..730f70d --- /dev/null +++ b/gsoc/zheyuan/pipeline/textual_similarity.py @@ -0,0 +1,36 @@ +import math +import numpy as np +import tensorflow as tf +import tensorflow_hub as hub + +from constant import Constant +const = Constant() +const.MODULE_URL = "https://tfhub.dev/google/universal-sentence-encoder-large/3" #@param ["https://tfhub.dev/google/universal-sentence-encoder/2", "https://tfhub.dev/google/universal-sentence-encoder-large/3"] + +embed = hub.Module(const.MODULE_URL) + +def similarity(sentence1, sentence2): + texts = [sentence1, sentence2] + with tf.Session() as sess: + sess.run([tf.global_variables_initializer(), tf.tables_initializer()]) + + vectors = sess.run(embed(texts)) + cosine_similarities = cosine_similarity(vectors[0],vectors[1]) + + + return cosine_similarities + +def cosine_similarity(v1, v2): + #Calculate semantic similarity between two + mag1 = np.linalg.norm(v1) + mag2 = np.linalg.norm(v2) + if (not mag1) or (not mag2): + return 0 + return np.dot(v1, v2) / (mag1 * mag2) + + + +def prof_similarity(v1, v2): + cosine_similarity = cosine_similarity(v1, v2) + prof_similarity = 1 - math.acos(cosine_similarity) / math.pi + return prof_similarity \ No newline at end of file diff --git a/gsoc/zheyuan/utility/dbpedia.owl b/gsoc/zheyuan/utility/dbpedia.owl new file mode 100755 index 0000000..8caf1bd --- /dev/null +++ b/gsoc/zheyuan/utility/dbpedia.owl @@ -0,0 +1,9028 @@ + + + + + dbo + http://dbpedia.org/ontology/ + The DBpedia Ontology + + The DBpedia ontology provides the classes and properties used in the DBpedia data set. + + + + DBpedia Maintainers + DBpedia Maintainers and Contributors + 2008-11-17T12:00Z + 2019-06-15T00:27Z + latest-snapshot + + This ontology is generated from the manually created specifications in the DBpedia Mappings + Wiki. Each release of this ontology corresponds to a new release of the DBpedia data set which + contains instance data extracted from the different language versions of Wikipedia. For + information regarding changes in this ontology, please refer to the DBpedia Mappings Wiki. + + + + + + Basketball-LigaΟμοσπονδία Καλαθοσφαίρισηςligue de basketballlega di pallacanestroliga de baloncestosraith cispheile농구 리그basketbal competitieバスケットボールリーグbasketball leaguea group of sports teams that compete against each other in Basketball + + Naturereignisφυσικό γεγονόςévénement naturelevento naturalegebeurtenis in de natuurnatural eventΤο φυσικό γεγονός χρησιμοποιείται για να περιγράψει ένα συμβάν που πραγματοποιείται φυσικά + + Provinzεπαρχίαprovincecúigeprovincie英語圏の行政区画provinceAn administrative body governing a territorial unity on the intermediate level, between local and national levelΕίναι διοικητική δομή του κράτους που διοικεί μια περιοχή που είναι σε έκταση μεγαλύτερη από τοπικό επίπεδο και μικρότερη από εθνικό επίπεδο. + + top level domaintop level domaindomaine de premier niveau + + MondkraterΣεληνιακός κρατήραςcratère lunairecráitéar gealaímaankratercratera lunarlunar crater + + motorsport seasonmotorsportseizoenMotorsportsaison + + militärische Personστρατιωτικόςmilitairemilitare군인militair軍人military person + + Zeitraumχρονική περίοδοςpériode temporelleperiodo temporaltréimhsetidsperiodetijdvaktime period + + Fahrzeugmotorκινητήρας αυτοκινήτουmoteur d'automobilemotore d'automobileinneall gluaisteáin자동차 엔진automotormotor de automóvel内燃機関automobile engine + + NebulaТуманность + + ArchäologearcheologΑρχαιολόγοςarchéologueArqueólogoseandálaíarcheoloog考古学者archeologist + + Enzymένζυμοenzymeenzimaeinsím효소enzym酵素enzyme + + Liedschreiberauteur-compositeursangskriversongwriter (tekstdichter)songwritera person who writes songs.een persoon die de muziek en/of de tekst voor populaire muzieknummers schrijft. + + Platzplacecearnógplein正方形square + + Universitätuniwersytetπανεπιστήμιοuniversitéuniversidadollscoil대학universiteituniversidade大学university + + anatomischen Strukturανατομική δομήstructure anatomiquestruttura anatomicacoirpeogestrutura anatómicaanatomska struktura해부학anatomische structuur解剖構造anatomical structure + + Fernsehsendungτηλεοπτική σειράémission de télévisionserie de televisiónclár teilifísetelevizijska oddajatelevisie showテレビ番組television show + + Startrampeράμπα φορτώσεωςrampe de lancementceap lainseálalanceerbasislaunch pad + + Rad-LigaΟμοσπονδία Ποδηλασίαςligue de cyclismeliga de ciclismo사이클 리그wielerrondecycling leaguea group of sports teams that compete against each other in Cycling + + Territoriumπεριοχήterritoireterritorium国土territoryA territory may refer to a country subdivision, a non-sovereign geographic region. + + TankТанк + + Curling-Ligaπρωτάθλημα curlingligue de curlingliga de curlingsraith curlála컬링 리그curling competitiecurling leaguea group of sports teams that compete against each other in Curling + + Gated communityHofje / gebouw met woongemeenschapbewachte Wohnanlage / Siedlung + + Musikfestivalφεστιβάλ μουσικήςfestival de musiquefestival de música음악제muziekfestivalmusic festival + + Steuerφόροςtaxeimpuestocáinbelasting租税tax + + Rennbahnιππόδρομοςippodromoráschúrsarenbaan競馬場racecourseA racecourse is an alternate term for a horse racing track, found in countries such as the United Kingdom, Australia, Hong Kong, and the United Arab Emirates.Ο ιππόδρομος,εναλλακτικός όρος για την πίστα διεξαγωγής αγώνων μεταξύ ίππων,συναντάται σε χώρες όπως η Αγγλία, Αυστραλία, Χονγκ Κονγκ και τα Ηνωμένα Αραβικά Εμιράτα. + + Tänzertancerzχορευτήςdanceurballerinodamhsóirdanserダンサーdancer + + Eishockeyspielerπαίκτης χόκεϋjoueur de hockey sur glace아이스하키 선수ijshockeyspelerice hockey player + + Öffentliches Personenverkehrssystemμέσα μαζικής μεταφοράςSistema de Transporte Públicoopenbaar vervoer systeempublic transit systemA public transit system is a shared passenger transportation service which is available for use by the general public. Public transport modes include buses, trolleybuses, trams and trains, 'rapid transit' (metro/subways/undergrounds etc) and ferries. Intercity public transport is dominated by airlines, coaches, and intercity rail. (http://en.wikipedia.org/wiki/Public_transit).Τα μέσα μαζικής μεταφοράς (συντομογραφία ΜΜΜ) είναι τα δημόσια συγκοινωνιακά μέσα, που περιλαμβάνουν τα λεωφορεία, τα τρόλεϊ, τα τραμ, τα τρένα, το μετρό, τα πλοία. Υπάρχουν και τα ταχεία μέσα συγκοινωνίας που περιλαμβάνουν τα αεροπλάνα, υπερταχεία τρένα.Ein System des Öffentlichen Personenverkehrs auf Straße, Schiene oder Wasser. + + blood vesselbloedvatvaisseau sanguin + + Fußballspielmecz piłki nożnejαγώνας ποδοσφαίρουpartido de fútbolcluiche peilevoetbal wedstrijdfootball matcha competition between two football teams + + MouseGeneLocationMausgenom Lokationmuisgenoom locatieマウス遺伝子座 + + militärischer Konfliktστρατιωτική σύγκρουσηconflit militairemilitær konflikt전쟁militair conflictmilitary conflict + + Stated ResolutionAngenommen BeschlußAangenomen BesluitA Resolution describes a formal statement adopted by a meeting or convention.Een Besluit of Verklaring beschrijft een formeel besluit of formele aanbeveling aangenomen door een vergadering. + + Straßenbahntramwaytram路面電車streetcar + + Filmfestivalfestiwal filmowyφεστιβάλ κινηματογράφουfestival du filmféile scannánfilmfestival영화제filmfestival映画祭film festival + + monoklonaler Antikörpermonoclonal antibodymonoclonal anticorpsMedikamente welche monoklonale Antikörper sind + + Theatre directordirecteur de théâtretheaterdirecteurTheaterdirektorA director in the theatre field who oversees and orchestrates the mounting of a theatre production. + + Getränkαναψυκτικόboissonbevandabebidadeochdrik음료drank飲料beverageA drink, or beverage, is a liquid which is specifically prepared for human consumption.Ein Getränk ist eine zum Trinken zubereitete Flüssigkeit. Getränke werden entweder zum Stillen von Durst und damit zur Wasseraufnahme des Körpers, als Nahrungsmittel oder auch als reine Genussmittel aufgenommen.Ένα πόσιμο υγρό ρόφημα, συνήθως με μηδενική ή ελάχιστη περιεκτικότητα αλκοόλης. + + Raumfähreδιαστημικό λεωφορείοnavette spatialespástointeáil우주 왕복선ruimteveerspace shuttle + + Employers' OrganisationArbeitgeberverbändewerkgeversorganisatiesyndicat de patronsAn employers' organisation is an organisation of entrepreneurs who work together to coordinate their actions in the field of labour relations + + gefängnisφυλακήprisonprigionepríosúngevangenis刑務所prison + + Archaeenαρχαίαarchéesarchei고세균Archaea (oerbacteriën)古細菌archaea + + Handballspielerπαίκτης του handballjoueur de handballjugador de balonmanoimreoir liathróid láimhehåndboldspillerhandballerhandball player + + religiösθρησκευτικόςreligieuxreligieusreligious + + Spinnentierαραχνοειδέςarachnidesaracnidearácnidoaraicnid거미강spinachtigenaracnídeosクモ綱arachnid + + DistriktτμήμαdépartementDistritoroinn부서departementdepartment + + Cardinal directionwindrichtingWindrichtungdirection cardinaleOne of the four main directions on a compass or any other system to determine a geographical positionUne des 4 principales directions d'un compas ou de tout autre système pour déterminer une position geographique + + Malerζωγράφοςpeintremalerschilder画家painter + + line of fashionModeliniemodelijntype de coutureA coherent type of clothing or dressing following a particular fashionEen samenhangend geheel van kleding in een bepaalde stijl volgens een bepaalde mode. + + Parkπάρκοparcpáirc공원parkparque公園parkA park is an area of open space provided for recreational use. http://en.wikipedia.org/wiki/Park + + Radsportteamομάδα ποδηλασίαςsquadra di ciclismofoireann rothaíochtacykelhold사이클 팀wielerploegcycling team + + Bruttoinlandsproduktακαθάριστο εγχώριο προϊόνolltáirgeacht intírebruto nationaal productgross domestic product + + water ridemarcaíocht uisceWasserbahnwaterbaan + + military vehicleMilitärfahrzeuglegervoertuig + + artistic genreKunstgattungkunstsoortgenre artistiqueGenres of art, e.g. Pointillist, ModernistGattung nennt man in den Kunstwissenschaften die auf das künstlerische Ausdrucksmedium bezogenen Formen der Kunst.genre d'art, ex: Pointillisme, Modernisme + + sports seasonSportsaisonπερίοδος αθλημάτωνsportseizoen + + Cricketspielerπαίκτης του κρίκετjoueur de cricketimreoir cruicéid크리켓 선수cricketspelerクリケット選手cricketer + + bedecktsamige Pflanzeανθοφόρο φυτόangiospermesmagnoliofitaangiospermabedektzadigen被子植物flowering plant + + SpreadsheetЭлектронная таблица + + Fernsehfolgeεπεισόδιο τηλεόρασηςépisode télévisécapítulo de serie de televisióneagrán de chlár teilifíse텔레비전 에피소드televisie seizoenテレビ放送回television episodeA television episode is a part of serial television program. + + Baronetbaronettobaronet準男爵baronet + + Kantoncantonkantonスイス連邦の州またはフランスの群cantonAn administrative (France) or lawcourts (Netherlands) body governing a territorial unity on the municipal level or somewhat aboveDas Wort Kanton dient zur Bezeichnung verschiedener (niederen) Verwaltungsbezirke in Frankreich, Belgien, Kanada und anderen Ländern + + Theaterκινηματογράφοςcinémabioscoopcinema (movie theater)A building for viewing films. + + GnetophytaGnetophytesgnétophytesGnetalesグネツム綱Gnetophytes + + Jockey (Pferderennprofi)αναβάτης αλόγου αγώνωνmarcachjockey騎手jockey (horse racer) + + Scientific conceptwissenschaftliche Theoriewetenschappelijke theorieScientific concepts, e.g. Theory of relativity, Quantum gravity + + Ergebnisse eines Sportwettbewerbsαποτελέσματα αθλητικού διαγωνισμούrésultats d'une compétition sportiveresultados de una competición deportivauitslag van een sport competitieresults of a sport competition + + TurmπύργοςtourtúrtorentowerA Tower is a kind of structure (not necessarily a building) that is higher than the rest + + Proteinπρωτεΐνηprotéineproteinapróitéin단백질proteïneproteínaタンパク質protein + + Humangen Lokationτοποθεσία του ανθρώπινου γονιδίουmenselijk genoom locatieヒト遺伝子座HumanGeneLocation + + Speedwayteamklub żużlowyfoireann luasbhealaighspeedwayteamspeedway team + + christlicher Patriarchpatriarcha chrześcijańskiχριστιανός πατριάρχηςpatriarche chrétienpatriarca cristiano기독교 총대주교christelijk patriarchChristian Patriarch + + RegierungsformΕίδη Διακυβέρνησηςrégime politiqueregeringsvormGovernment Typea form of government + + Stadtmiasteczkoπόληvillebailestadtownनगरa settlement ranging from a few hundred to several thousand (occasionally hundreds of thousands). The precise meaning varies between countries and is not always a matter of legal definition. Usually, a town is thought of as larger than a village but smaller than a city, though there are exceptions to this rule. + + römischer Kaiserρωμαίος αυτοκράτοραςempereur romainRomeinse keizerroman emperor + + religiöses Gebäudeθρησκευτικό κτίριοédifice religieuxedificio religiosoedificio religiosoreligiøs bygning종교 건물cultusgebouw宗教建築religious building + + ministerMinisterministreminister + + motorcycle riderMotorradfahrerμοτοσυκλετιστήςmotorrijder + + klerikale Verwaltungsregionrégion administrative dans une église사무 관리 지역kerkelijk bestuurlijk gebiedclerical administrative regionAn administrative body governing some territorial unity, in this case a clerical administrative body + + Busunternehmenεταιρία λεωφορείωνcompagnie d'autobuscompañía de autobusescomhlacht busbusmaatschappijbus company + + Kraftwerkσταθμός παραγωγής ενέργειαςcentrale électriquecentral eléctricastáisiún cumhachtaElektriciteitscentrale発電所power station + + Ingenieurμηχανικόςingénieuringeniereingenieroinnealtóir공학자ingenieur技術者engineer + + Namenazwaόνομαnomainmnaamnome名前name + + sumo wrestlerSumo-Ringersumoworstelaar + + international organisationorganisation internationaleinternationale organisatieAn international organisation is either a private or a public organisation seeking to accomplish goals across country borders + + Turmspringerschoonspringerhigh diver + + Formel-1 Rennfahrerπιλότος της φόρμουλας έναpilote de formule 1formule 1-coureurFormula One racer + + Konifereκωνοφόροconifereconíferacónaiféar침엽수conifeer球果植物門coniferLe conifere sono piante vascolari, con semi contenuti in un cono. Sono piante legnose, perlopiù sono alberi e solo poche sono arbusti.Las coníferas son plantas vasculares, con las semillas contenidas en un cono. Son plantas leñosas. + + Speedway Ligaπρωτάθλημα αυτοκινητοδρόμουligue de speedwayspeedway competitiespeedway leagueA group of sports teams that compete against each other in motorcycle speedway racing. + + Musikerμουσικόςinstrumentalisteionstraimíinstrumentalist音楽家instrumentalistΟ μουσικός είναι ένα άτομο το οποίο γράφει, ερμηνεύει, ή κάνει μουσική.Een instrumentalist is een musicus die een muziekinstrument bespeelt. (https://nl.wikipedia.org/wiki/Instrumentalist) + + Bauerαγρότηςfermierfeirmeoirboer農家farmer + + historischer Siedlungancien ville ou villageáit lonnaithe stairiúilvoormalige stad of dorpHistorical settlementA place which used to be a city or town or village. + + Videospiele-Ligaπρωτάθλημα βιντεοπαιχνιδιώνligue de jeux vidéosraith físchluichívideogames leagueA group of sports teams or person that compete against each other in videogames.Ένα σύνολο ομάδων ή ατόμων που ανταγωνίζονται σε ηλεκτρονικά παιχνίδια. + + cricket groundCricketfeldcricketveldcampo da cricket + + DTM racerDTM-coureurDTM Rennfahrer + + historischer Kreis / Bezirkancien départementceantar stairiúilvoormalig kwartier of districtHistorical districta place which used to be a district. + + Unternehmenεταιρίαentrepriseempresacomhlachtfirma회사bedrijfempresa会社company + + Lokomotiveκινητήριοςlocomotivetraenlocomotief機関車locomotive + + motocycle racerοδηγός αγώνων μοτοσυκλέταςMotorrad-Rennfahrermotorcoureur + + Ringerπαλαιστήςlutteurcoraíworstelaarレスラーwrestler + + Golfturniertorneo di golfcomórtas gailfgolf toernooigolf tournament + + Vertragtraitéverdrag条約treaty + + motorcycle racing leagueMotorradrennen Ligaligue de courses motocyclistemotorrace competitiea group of sports teams or bikerider that compete against each other in Motorcycle Racing + + Vertriebεκπτώσειςventedíolacháinverkoop販売sales + + pornographischer Schauspieleraktor pornograficznyενήλικας (πορνογραφικός) ηθοποιόςacteur porno/acteur adulteattore pornoactor pornoaisteoir pornagrafaíochtaactor porno色情演員성인 배우pornografisch acteurator adultoポルノ女優adult (pornographic) actorA pornographic actor or actress or a porn star is a person who performs sex acts in film, normally characterised as a pornographic film.Un actor ou unha actriz porno ou pornográfico/a, é un actor ou actriz de cine porno que actúa en películas de temática pornográfica..&lt;ref&gt;https://gl.wikipedia.org/wiki/Actor_pornogr%C3%A1fico&lt;/ref&gt; + + Wikimedia templateWikimedia-Vorlagemodèle de WikimediaDO NOT USE THIS CLASS! This is for internal use only! + + gridiron football playerGridiron voetballerGridiron Footballspielerjoueur de football américain gridiron + + engineMotormotor機関 (機械) + + Christliche LehreΧριστιανικό Δόγμαdoctrine chrétiennedottrina cristiana기독교 교리Christelijke leerChristian DoctrineTenets of the Christian faith, e.g. Trinity, Nicene Creed + + Bereichεμβαδόνaireceantargebied面積areaArea of something. Use "value" for the value, "min" & "max" for a range (if uncertain) and "rank" (integer) for the rank of that thing amongst its siblings (eg regions ordered by area)Mesure d'une surface.Εμβαδόν ή έκταση είναι το μέγεθος μέτρησης των επιφανειών. + + NationalhymneHymne nationalamhrán náisiúntavolksliedNational anthemPatriotic musical composition which is the offcial national song. + + Fußball LigaΟμοσπονδία Ποδοσφαίρουligue de footballsraith sacairvoetbal competitieサッカーリーグsoccer leagueA group of sports teams that compete against each other in soccer. + + BatteriepilebatteriabateríabatterijbateriabatteryThe battery (type) used as energy source in vehicles. + + wissenschaftliche Konferenzkonferencja naukowaconférence scientifiquecongresso scientificoнавуковая канферэнцыянаучная конференцияwetenschappelijke conferentie学術会議academic conference + + BiathleteBiathlèteBiatleetバイアスロン選手Biathlete + + Aufstandrévolteopstand反乱rebellion + + TeammitgliedΜέλος ομάδαςcoéquipierteamlidチームメンバーTeam memberA member of an athletic team.Ένα μέλος μιας αθλητικής ομάδας. + + Gen Lokationθέση γονιδίωνlocus遺伝子座GeneLocation + + road junctionacomhal bóithreStraßenkreuzungwegkruisingA road junction is a location where vehicular traffic going in different directions can proceed in a controlled manner designed to minimize accidents. In some cases, vehicles can change between different routes or directions of travel (http://en.wikipedia.org/wiki/Junction_%28road%29).Eine Straßenkreuzung ist eine Stelle, an der sich zwei oder mehrere Straßen kreuzen (http://de.wikipedia.org/wiki/Stra%C3%9Fenkreuzung). + + TretmühleΜύλοςRosmolenトレッドミルTreadmillA mill driven by the tractive power of horses, donkeys or even people + + GehirnεγκέφαλοςcerveaucervellocerebroinchinnhjernehersenenbrainΤο βασικό όργανο του νευρικού συστήματος των ζώων, το οποίο καθορίζει ασυνείδητες και συνειδητές λειτουργίες. Ο όρος χρησιμοποιείται πλέον και για τον χαρακτηρισμό των καθοριστικότερων στοιχείων μίας μηχανής ή ενός συνόλου πραγμάτων. + + protohistorical periodproto-historisch Zeitalterperiode in de protohistorie + + WTA TurnierTournoi de la Women's Tennis AssociationTorneo di Women's Tennis AssociationWTA-toernooiWomen's Tennis Association tournament + + Unternehmerεπιχειρηματίαςimprenditoreduine den lucht gnóondernemerbusinesspersonΜε τον όρο επιχειρηματίας νοείται κυρίως κάποιος που κατέχει μία ανώτερη θέση, όπως ένα στέλεχος. + + lipidlipidelipide脂質lipidZijn vetten en vetachtige stoffen die in de biochemie een belangrijke rol spelen + + Volleyballtrainerπροπονητής βόλλεϋallenatore di pallavolotraenálaí eitpheilevolleybalcoachvolleyball coach + + Theological conceptTheologisch Konzeptconcept théologiquetheologisch conceptTheological concepts, e.g. The apocalypse, Trinty, Stoicism + + Siedlungοικισμόςzone peupléebardasnederzetting居住地settlement + + HauptstadtΚεφάλαιοCapitaleCapitalehoofdstad首都CapitalA municipality enjoying primary status in a state, country, province, or other region as its seat of government. + + ProduzentProducteurproducentproducent監督Producera person who manages movies or music recordings. + + Softwareλογισμικόlogicielbogearraíprogramska opremasoftware소프트웨어softwarelogiciárioソフトウェアsoftware + + operόπεραopéraoperaόperaceoldrámaoperaオペラopera + + Lacrossespielerπαίκτης χόκεϋ σε χόρτοimreoir crosógaíochtalacrosse-spelerラクロス選手lacrosse player + + kontrollierte Ursprungsbezeichnung für QualitätsweineΕλεγμένη ονομασία προέλευσης κρασιούvin A.O.C.vino D.O.C.certificaat van herkomst voor kwaliteitswijnenControlled designation of origin wineA quality assurance label for winesΜια ετικέτα διασφάλισης της ποιότητας των οίνων + + fortfortFortified place, most of the time to protect traffic routes + + Präsidentprezydentπρόεδροςprésidentuachtarán국가원수president大統領president + + racing driverRennfahrerοδηγός αγώνωνcoureur + + Bauwerkαρχιτεκτονική κατασκευήstructure architecturalestruttura architettonicaestructura arquitecturalstruchtúr ailtireachta건축 구조bouwsel構造物architectural structureAn architectural structure is a human-made, free-standing, immobile outdoor construction (http://en.wikipedia.org/wiki/Architectural_structure).Μια αρχιτεκτονική κατασκευή είναι μια ανθρώπινη κατασκευή, επιδαπέδια, ακίνητη κατασκευή (http://en.wikipedia.org/wiki/Architectural_structure).Ein Bauwerk ist eine von Menschen errichtete Konstruktion mit ruhendem Kontakt zum Untergrund. Es ist in der Regel für eine langfristige Nutzungsdauer konzipiert (http://de.wikipedia.org/wiki/Bauwerk). + + Tennisspielerπαίχτης τένιςjoueur de tennistenistaimreoir leadóigetennisserjogador de tennisテニス選手tennis player + + coal pitsteenkolenmijnKohlengrubeA coal pit is a place where charcoal is or was extractedEen mijn is een plaats waar steenkool wordt of werd gewonnen + + Political conceptpolitische Konzeptpolitiek conceptPolitical concepts, e.g. Capitalism, Democracy + + BrowserBrowser (bladerprogramma)Браузер + + Digitalkameraψηφιακή φωτογραφική μηχανήappareil photo numériqueceamara digiteach디지털 카메라digitale cameradigital cameraΗ ψηφιακή φωτογραφική μηχανή είναι συσκευή η οποία καταγράφει εικόνες με ηλεκτρονικό τρόπο, σε αντίθεση με την συμβατική φωτογραφική μηχανή, η οποία καταγράφει εικόνες με χημικές και μηχανικές διαδικασίες.Un appareil photographique numérique (ou APN) est un appareil photographique qui recueille la lumière sur un capteur photographique électronique, plutôt que sur une pellicule photographique, et qui convertit l'information reçue par ce support pour la coder numériquement. + + Ereignisγεγονόςévènementócáid사건gebeurteniseventoイベントevent + + Musikgruppeμουσικό συγκρότημαgroupe de musiquegruppo musicalebandabanna ceoil음악 그룹bandbandaバンド_(音楽)Band + + Regentschaftαντιβασιλείαkabupatenregentschap (regering)摂政regencybagian wilayah administratif dibawah provinsi + + StaatχώραpayspaístírdržavaГосударствоland나라landcountry + + Stierkämpfertoreadorταυρομάχοςtorerotorerotorerotarbhchomhraiceoir투우사stierenvechter闘牛士bullfighter + + Fechterξιφομάχοςpionsóirschermerフェンシング選手fencer + + Pferderennenαγώνας ιππασίαςcourse de chevauxpaardenracehorse race + + Fischrybaψάριpoissonpescadoiascfiskvispeixe魚類fish + + PublikumszeitschriftΠεριοδικόmagazineirisleabhar잡지tijdschrift雑誌magazineMagazines, periodicals, glossies or serials are publications, generally published on a regular schedule, containing a variety of articles. They are generally financed by advertising, by a purchase price, by pre-paid magazine subscriptions, or all three.Περιοδικά ή γυαλιστερές φωτογραφίες περιοδικών εκδόσεων δημοσιεύονται σε τακτά χρονικά διαστήματα, περιέχει μια ποικιλία από αντικείμενα.Γενικά χρηματοδοτείται από διαφημίσεις, με τιμή αγοράς, με προπληρωμένες συνδρομές περιοδικών, ή και των τριών.Als Publikumszeitschrift (auch Magazin) bezeichnet man eine Gattung von Zeitschriften, die sich an eine sehr breite Zielgruppe wendet und keine fachlichen Prägungen oder andere spezifische Merkmale voraussetzt. Publikumszeitschriften dienen der Unterhaltung und Information, sie sollen unangestrengt gelesen werden können. + + Galaxieγαλαξίαςgalaxieréaltragalakse은하melkwegstelselgaláxiagalaksi銀河galaxy + + manhwamanhwamanhwa韓国の漫画manhwaKorean term for comics and print cartoonsist die in der westlichen Welt verbreitete Bezeichnung für Comics aus Südkorea.Manhua is het Koreaanse equivalent van het stripverhaalΚορεάτικος όρος για τα κόμικς και τα κινούμενα σχέδια εκτύπωσης + + OrganisationsmitgliedΜέλος οργανισμούMiembro de organizaciónorganisatielidOrganisation memberA member of an organisation.Μέλος ενός οργανισμού. + + Fernsehstaffelτηλεοπτική σεζόν텔레비전 시즌televisie seizoentelevision season + + Sacheυπόθεσηdossiercás케이스zaakcaseA case is the total of work done to prepare for an administrative or business decision. As a rule, a case is reflected in a set of documents.Een zaak is het geheel aan werk gedaan om tot een bestuurlijke of zakelijke beslissing te komen. Een zaak slaat doorgaans neer in een verzameling documenten. + + taxonomische Gruppeταξονομική ομάδαtaxonタクソンtaxonomic groupa category within a classification system for Speciescategorie binnen een classificatiesysteem voor plant- en diersoorten + + Anwaltskanzleiεταιρεία δικηγόρωνbufete de abogadosgnólacht dlíadvocatenkantoor法律事務所law firmA law firm is a business entity formed by one or more lawyers to engage in the practice of law. The primary service provided by a law firm is to advise clients (individuals or corporations) about their legal rights and responsibilities, and to represent their clients in civil or criminal cases, business transactions, and other matters in which legal advice and other assistance are sought.Als Anwaltskanzlei bezeichnet man die Büroräume und das Unternehmen oder den Betrieb eines Rechtsanwalts oder mehrerer Rechtsanwälte. + + motor raceMotorradrennenmotorwedstrijd + + Kanaltunneltunnel de voie navigabletollán uiscebhealaighkanaaltunnelwaterway tunnel + + OzeanΩκεανόςOcéanaigéanoceaanoceano大洋OceanA body of saline water that composes much of a planet's hydrosphere.Μάζα αλμυρού νερού που αποτελεί σημαντικό μέρος της υδρόσφαιρας ενός πλανήτη. + + Flughafenlotniskoαεροδρόμιοaéroportaeroportoaeropuertoaerfortaeroportoаэропортlufthavn機場공항luchthavenaeroporto空港airport + + Boxerπυγμάχοςboxeurpugiledornálaí권투 선수bokserboxeadorボクサーboxer + + farnφτέρηfougèresfelcehelechoraithneachvarensamambaiaシダ植物門fern + + naruto charactercarachtar narutoNaruto Charakterpersonage in Naruto + + Fußballspielerπαίχτης ποδοσφαίρουjoueur de footballfutbolistaimreoir sacairfodboldspiller축구 선수voetballerサッカー選手soccer player + + Modeμόδαmodefaiseanmodeファッションfashiontype or code of dressing, according to the standards of the time or individual design.Een stijl of code voor kleding, bepaald door de voorkeursstijl van een tijdperk of door individuele ontwerpers. + + InselwyspaνησίîleIslaoileánøeilandilhaisland + + Open Swarmopen zwerm (cluster)Open SwarmΑνοικτό σμήνος + + natürlicher Ortφυσική θέσηlieu naturelnatuurgebiedlugar naturalnatural placeΗ φυσική θέση ερμηνεύει όλα τα σημεία που απαντώνται φυσικά στο σύμπανThe natural place encompasses all places occurring naturally in universe.Der natürlicher Ort beinhaltet alle Orte die natürlicherweise im Universum existieren. + + grave stone or grave monumentgrafsteen of grafmonumentGrabdenkmalA monument erected on a tomb, or a memorial stone. + + Soapoper Charakterχαρακτήρας σαπουνόπεραςcarachtar i sobaldrámasoap karaktersoap character + + Ballungsgebietaglomeracjaσυσσώρευσηagglomérationaglomeraciónagglomeratieagglomeration + + College-Trainerπροπονητής κολεγίουentraîneur universitairetraenálaí coláiste대학 코치school coachcollege coach + + Humangenανθρώπινο γονίδιοgéin duinemenselijk genヒト遺伝子HumanGene + + Muskelμυςmusclematánspier筋肉muscle + + information applianceDatengerätσυσκευή πληροφορικήςdispositivo electrónicoAn information device such as PDAs or Video game consoles, etc. + + Psychologeψυχολόγοςsíceolaípsycholoogpsychologist + + Bachρέμαruisseauruscellosruthánstroomcurso d’água河川streama flowing body of water with a current, confined within a bed and stream banks + + Record OfficeAmtsarchivArchiefinstelling + + Sportmanagerαθλητικός μάνατζερdirector deportivosportbestuurdersports managerAccording to the french label sub Soccer, trainership could be meant. However, here a Sportsmanager is interpreted as a member of the board of a sporting club.Σύμφωνα με τη γαλλική ετικέτα Soccer,μπορεί να εννοείται ο προπονητής.Παρ'όλα αυτα,εδώ ένας αθλητικός μάνατζερ μεταφράζεται ως ένα μέλος συμβουλίου ενός αθλητικού κλαμπ. + + Surferσέρφερsurfálaísurferサーファーsurfer + + Krankenhausνοσοκομείοhôpitalospidéalhospital병원ziekenhuishospital病院hospital + + heiße Quellefoinse thewarmwaterbronfonte termal温泉hot spring + + Gesetzloilovwet法 (法学)law + + Kochszef kuchniαρχιμάγειροςchefchefcocinerocócairekok요리사kok料理人chefa person who cooks professionally for other peopleuna persona que cocina profesionalmente para otras + + Philosophφιλόσοφοςphilosophe철학자filosoof哲学者philosopher + + Rechtssystemσύστημα δικαίουrégime de droitordenamiento jurídicorechtssysteemSystem of lawa system of legislation, either national or international + + Biologische DatenbankΒάση Δεδομένων Βιολογικών ΧαρακτηριστικώνBase de données biologiquesdatabase biologico생물학 데이터베이스biologische databankBanco de dados biológicoバイオデータベースBiological databaseΔιάφορες βάσεις δεδομένων οι οποίες περιέχουν πληροφορίες που ταυτοποιούν τα βασικά βιολογικά χαρακτηριστικά των οργανισμών. Οι πληροφορίες αυτές συγκροτούνται σε σύνολα βιβλιοθηκών των βασικών δομών των κυττάρων των οργανισμών, όπως οι βιλβιοθήκες νουκλεϊνικών οξέων (genomics) και πρωτεϊνών (proteomics). + + Kirchekościółεκκλησίαéglisechiesaiglesiaeaglaiskirke교회kerkigreja教会churchThis is used for church buildings, not any other meaning of church. + + Tunnelτούνελtunneltollán터널tunnelトンネルtunnelA tunnel may be for foot or vehicular road traffic, for rail traffic, or for a canal. Some tunnels are aqueducts to supply water for consumption or for hydroelectric stations or are sewers (http://en.wikipedia.org/wiki/Tunnel).Un tunnel est une galerie souterraine livrant passage à une voie de communication (chemin de fer, canal, route, chemin piétonnier). Sont apparentés aux tunnels par leur mode de construction les grands ouvrages hydrauliques souterrains, tels que les aqueducs, collecteurs et émissaires destinés soit à l'amenée, soit à l'évacuation des eaux des grands centres et certaines conduites établies en liaison avec les barrages et usines hydro-électriques. (http://fr.wikipedia.org/wiki/Tunnel).Ein Tunnel (auch Tunell) ist eine künstliche Passage, die Berge, Gewässer oder andere Hindernisse (in der Regel als Verkehrsweg) unterquert (http://de.wikipedia.org/wiki/Tunnel).Ένα τούνελ μπορεί να είναι για πεζούς ή για αυτοκινητόδρομους,για σιδηρόδρομους,ή για κανάλια στο νερό.Μερικά τούνελ είναι υδραγωγεία για να παρέχουν νερό προς κατανάλωση ή για υδροηλεκτικούς σταθμούς ή είναι υπόνομοι. + + Rudererκωπηλάτηςcanottiererámhaíroeier漕艇選手rower + + ginkgoginkgoginkgoginkgo bilobaGinkgo bilobaginkgo銀杏属ginkgo + + talΚοιλάδαvalléevallegleannvalleivalevalleya depression with predominant extent in one direction + + Trainerπροπονητήςentraîneurallenatoretraenálaícoachコーチcoach + + schriftstellerpisarzσυγγραφέαςécrivainescritorscríbhneoirforfatter작가auteur著作家writerrakstnieks + + Automobilsamochódαυτοκίνητοautomobileautomobileautomóvilgluaisteánavtomobilаўтамабільавтомобиль자동차automobielautomovel自動車automobile + + Ideologieιδεολογίαidéologieidé-eolaíochtideologieideologiaイデオロギーideologyfor example: Progressivism_in_the_United_States, Classical_liberalismγια παραδειγμα: Προοδευτισμός στις ΗΠΑ, κλασικός φιλελευθερισμός + + Supreme Court of the United States caseFall Oberster Gerichtshof der Vereinigtencas juridique de la Cour suprême des États-Unis + + standardstandaard規格a common specification + + schwarmΣμήνοςstormozwerm群れSwarm + + team sportteamsportチームスポーツA team sport is commonly defined as a sport that is being played by competing teams + + Gemeindeκοινότηταcommunautépobal공동체gemeenschap (community)コミュニティCommunityΚοινότητα είναι μία ομάδα ζώντων οργανισμών, ανθρώπων, φυτών ή ζώων που ζουν σε ένα κοινό περιβάλλον. + + kanadische Footballmannschaftκαναδέζικη ομάδα ποδοσφαίρουéquipe canadienne de football américainsquadra di football canadese캐나다 축구 팀Canadees footballteamcanadian football Team + + Radiosenderραδιοφωνικός σταθμόςstation de radioemisora de radiostáisiún raidióradiozenderラジオ放送局radio stationA radio station has one line up. For instance the radio station BBC Radio 1. Not to be confused with the broadcasting network BBC, which has many radio stations.Ein Radiosender hat genau ein Programm, zum Beispiel der Sender NDR Kultur. Nicht zu verwechseln mit der Rundfunkanstalt NDR, welche mehrere Radiosender hat. + + Fußballmanagerπροπονητής ποδοσφαίρουentraîneur de footballgerente de fútbolbainisteoir sacairvoetbalmanagerサッカーマネージャーsoccer manager + + Gedichtποίημαpoèmepoesiadángedichtpoem + + Politikerπολιτικόςpoliticienpolaiteoirpolitik정치인politicuspolítico政治家politician + + Kombinationspräparatcombination drugcombinatiepreparaatpréparation combinéeMedikamente die mehrere Wirkstoffe enthalten + + Komikerκωμικόςcomédienfuirseoir희극 배우komiekcomedianteお笑い芸人comedian + + Comicautorδημιουργός κόμιξcréateur de bandes dessinées만화가striptekenaar漫画家comics creator + + monarchμονάρχηςmonarquemonarcamonarcamonark군주monarch君主monarch + + Straßedrogaδρόμοςroutecarreterabótharcarretera도로weg道路road + + tram stationstation de tramwaytramhalte + + Philosophical conceptphilosophisch KonzeptFilosofisch themaPhilosophical concepts, e.g. Existentialism, Cogito Ergo Sum + + Playboy PlaymatePlayboy Playmateplayboy playmateplaymate pour Playboy + + Gerätσυσκευηappareilgléas장치apparaatdispositivoデバイスdevice + + Vulkanηφαίστειοvolcanbolcánvulkaanvulcão火山volcanoA volcano is currently subclass of naturalplace, but it might also be considered a mountain.Το ηφαίστειο είναι υποκατηγορία φυσικών καταστάσεων, αλλά μπορεί επίσης να θεωρηθεί και βουνό. + + Zeitungεφημερίδαjournal신문krant新聞newspaperA newspaper is a regularly scheduled publication containing news of current events, informative articles, diverse features and advertising. It usually is printed on relatively inexpensive, low-grade paper such as newsprint.Eine Zeitung ist ein Druckwerk von mäßigem Seitenumfang, das in kurzen periodischen Zeitspannen, mindestens einmal wöchentlich, öffentlich erscheint. Die Zeitung ist, anders als die Zeitschrift, ein der Aktualität verpflichtetes Presseorgan und gliedert sich meist in mehrere inhaltliche Rubriken wie Politik, Lokales, Wirtschaft, Sport, Feuilleton und Immobilien. + + American Footballspielerπαίκτης αμερικανικού ποδοσφαίρουjoueur de football américaingiocatore di football americanojugador de fútbol americanoxogador de fútbol americano미식 축구 선수American footballspelerアメリカンフットボール選手american football player + + Wissenschaftliche Fachzeitschriftczasopismo naukoweακαδημαϊκό περιοδικόjournal académiquegiornale accademicoiris acadúilrevista académica學術期刊학술지wetenschappelijk tijdschrift学術雑誌academic journalWissenschaftliche Fachzeitschriften sind regelmäßig verlegte Fachzeitschriften über Spezialthemen aus den verschiedensten wissenschaftlichen Disziplinen. Sie stellen neue Methoden, Techniken und aktuelle Trends aus den Wissenschaften dar.Czasopismo naukowe – rodzaj czasopisma, w którym są drukowane publikacje naukowe podlegające recenzji naukowej. Współcześnie szacuje się, że na świecie jest wydawanych ponad 54 tys. czasopism naukowych, w których pojawia się ponad milion artykułów rocznie.Ένα ακαδημαϊκό περιοδικό είναι ως επί το πλείστον περιοδικό για κριτικές οι οποίες σχετίζονται με έναν συγκεκριμένο ακαδημαϊκό τομέα. Τα ακαδημαϊκά περιοδικά χρησιμεύουν ως φόρουμ για την εισαγωγή και παρουσίαση του ελέγχου των νέων ερευνών και της κριτικής της υπάρχουσας έρευνας. Το περιεχόμενο έχει συνήθως την μορφή άρθρων παρουσίασης νέας έρευνας, ανασκόπησης υπάρχων άρθρων και κριτικές βιβλίων.Unha revista académica é unha publicación periódica revisada por expertos na que se publican artigos dunha disciplina académica.An academic journal is a mostly peer-reviewed periodical in which scholarship relating to a particular academic discipline is published. Academic journals serve as forums for the introduction and presentation for scrutiny of new research, and the critique of existing research. Content typically takes the form of articles presenting original research, review articles, and book reviews. + + Tischtennisspielerπαίκτης πινγκ-πονγκimreoir leadóg bhoird탁구 선수tafeltennisser卓球選手table tennis playerAthlete who plays table tennisO αθλητής που παίζει πινγκ-πονγκ + + Kunstwerkέργο τέχνηςœuvre d'artopera d'arteobra de artesaothar ealaínekunstværk작품kunstwerk作品artworkA work of art, artwork, art piece, or art object is an aesthetic item or artistic creation. + + Volleyballspielersiatkarzπαίχτης βόλεϊ배구 선수volleyballervolleyball player + + gemeinnützige Organisationμη κερδοσκοπική οργάνωσηorganisation à but non lucratifНекоммерческая организацияnon-profit organisatienon-profit organisation + + Meerθάλασσαmerfarraigezeemarsea + + geistlicherΚλήροςecclésiastiqueecclesiastico성직자geestelijke聖職者cleric + + Schönheitsköniginβασίλισσα ομορφιάςreginetta di bellezzaspéirbhean뷰티퀸schoonheidskoninginミスbeauty queenA beauty pageant titleholderΤίτλος που αποδίδεται σε μία γυναίκα, τις περισσότερες φορές μετά από διαγωνισμό. + + Schuleszkołaσχολείοécolescuolaescuelascoilskole학교schoolescola学校school + + Regionπεριοχήrégionréigiúnregio地域region + + light novelLight novelライトノベルανάλαφρο μυθιστόρημαA style of Japanese novel + + wissenschaftliche Interessenvertretung für DenkmalschutzΤοποθεσία Ειδικού Επιστημονικού Ενδιαφέροντοςsite d'intérêt scientifique particulierLáithreán Sainspéis Eolaíochtaplaats met bijzonder wetenschappelijk belang自然保護協会特別指定地区Site of Special Scientific InterestA Site of Special Scientific Interest (SSSI) is a conservation designation denoting a protected area in the United Kingdom. SSSIs are the basic building block of site-based nature conservation legislation and most other legal nature/geological conservation designations in Great Britain are based upon them, including National Nature Reserves, Ramsar Sites, Special Protection Areas, and Special Areas of Conservation. + + snooker playerimreoir snúcairSnookerspielerbiljarterAn athlete that plays snooker, which is a billard derivateEin Sportler der Snooker spielt, eine bekannte Billardvariante + + Eishockey-Ligaπρωτάθλημα χόκεϋligue d'hockey sur glaceijshockey competitieice hockey leaguea group of sports teams that compete against each other in Ice Hockey. + + Funktion einer Personfonction de personnefunción de personafunctie van persoonperson function + + musikalischer Künstlerμουσικόςmusicien음악가muziekartiestartista musical音楽家musical artist + + Entomologeεντομολόγοςentomologofeithideolaíentomoloog昆虫学者entomologist + + politische Parteipartia politycznaπολιτικό κόμμαparti politiquepartido políticopartit políticpolitieke partijpartido políticopolitical partyfor example: Democratic_Party_(United_States)για παράδειγμα: Δημοκρατικό Κόμμα _United_States) + + ModeratorΠαρουσιαστήςprésentateurláithreoirpresentator司会者presenterTV or radio show presenter + + WassermühleΝερόμυλοςMoulin à eaumulino ad acquamuileann uisceWatermolen水車小屋WatermillA watermill is a structure that uses a water wheel or turbine to drive a mechanical process such as flour, lumber or textile production, or metal shaping (rolling, grinding or wire drawing) + + reignregentschapRegentschaftrègne + + Datenbankβάση δεδομένωνBase de donnéesbunachar sonraí데이터베이스databaseBanco de dadosデータベースDatabase + + Place in the Music ChartsChartplatzierungenplaats op de muziek hitlijst + + ethnieεθνική ομάδαgroupe ethniqueetniagrúpa eitneach민족etnische groepethnic group + + tenuredienstverbandAmtszeitdurée du mandat + + international football league eventInternational Football Liga Veranstaltung + + Baseballmannschaftομάδα μπέιζμπολéquipe de baseballsquadra di baseballfoireann daorchluiche야구팀honkbal team野球チームbaseball teamΈνας αριθμός από άνδρες ή γυναίκες που αποτελούν ένα διακριτό σύνολο με συγκεκριμένους στόχους σχετικά με το άθλημα του μπέιζμπολ. + + Feiertagαργίαjour fériégiorno festivolá saoire휴일vakantie祝日holidayUn jour férié est un jour de fête civile ou religieuse, ou commémorant un événement.Unter einem Feiertag oder Festtag wird allgemein ein arbeitsfreier Tag mit besonderer Feiertagsruhe verstanden. + + Insektέντομοinsecteinsectofeithidinsect昆虫insect + + mineralορυκτόminéralminerale광물mineraal鉱物mineralA naturally occurring solid chemical substance.Corpi naturali inorganici, in genere solidi. + + musikalisches Werkμουσικό έργοœuvre musicaleopera musicalemuziekwerkmusical work + + File systemФайловая система + + soccer club seasonFußballverein Saisonvoetbalseizoen + + Transportmittelμεταφορικό μέσοmoyen de transportvervoermiddelmean of transportation + + RandglosseΣχόλιοannotationnotaAantekening注釈Annotation + + unit of workaonad oibreArbeitseinheitwerkeenheidThis class is meant to convey the notion of an amount work to be done. It is different from Activity in that it has a definite end and is being measured. + + MoscheemeczetτζαμίmosquéemezquitamoscmoskeeモスクmosqueMeczet – miejsce kultu muzułmańskiegoΤο τζαμί είναι ο τόπος λατρείας των Μουσουλμάνων.Une mosquée est un lieu de culte où se rassemblent les musulmans pour les prières communes.Is áit adhartha na Moslamach, lucht leanúna an reiligiúin Ioslam, é moscA mosque, sometimes spelt mosk, is a place of worship for followers of Islam. + + NCAAathlète de la national collegiate athletic associationlúthchleasaí sa National Collegiate Athletic AssociationNational Collegiate Athletic Association atleetnational collegiate athletic association athlete + + motorsport racerMotorsport Fahrermotorsport rennerοδηγός αγώνων + + Genγονίδιοgènegéingengengene遺伝子gene + + schiedsrichterδιαιτητήςarbitrearbitroárbitroréiteoirscheidsrechter審判員refereeAn official who watches a game or match closely to ensure that the rules are adhered to. + + reptilερπετόreptilereiptílreptiel爬虫類reptile + + SatelliteδορυφόροςsatellitesatailítsatellietSatelliteAn astronomic object orbiting around a planet or star. Definition partly derived from http://www.ontotext.com/proton/protonext# (and thus WordNet 1.7).Ένα αστρονομικό αντικείμενο που βρίσκεται σε τροχιά γύρω από έναν πλανήτη ή αστέρι. + + kanadischer Footballspielerκαναδός παίκτης ποδοσφαίρουjoueur de football canadiengiocatore di football canadese캐나다 축구 선수Canadese football spelerjogador de futebol canadensecanadian football Player + + Behördeκυβερνητική υπηρεσίαagence gouvernementaleagencia del gobiernoОрган исполнительной власти정부 기관orgaan openbaar bestuurgovernment agencyA government agency is a permanent or semi-permanent organization in the machinery of government that is responsible for the oversight and administration of specific functions, such as an intelligence agency.Eine Behörde ist eine staatliche Einrichtung, die im weitesten Sinne für die Erfüllung von Aufgaben der Verwaltung des Staates und dabei insbesondere für Dienstleistungen des Staates gegenüber seinen Bürgern zuständig ist. Eine Behörde erhält ihren Auftrag aus den Gesetzen des Staates, in dem und für den sie tätig ist.Μια κυβερνητική υπηρεσία είναι μόνιμη ή ημι-μόνιμη οργάνωση στο μηχανισμό της κυβέρνησης, η οποία είναι υπεύθυνη για την εποπτεία και διαχείριση συγκεκριμένων λειτουργιών, όπως η υπηρεσία πληροφοριών. + + Flaggeσημαίαdrapeaubratachflag국기vlagbayrakflag + + rally driverrallycoureurοδηγός ράλιRallyefahrerΟ οδηγός ράλι χρησιμοποιείται για να περιγράψει άνδρα που λαμβάνει μέρος σε αγώνες αυτοκινήτων ειδικής κατηγορίας + + bakteriumβακτήριαbactériebatteriobacteriabaictéir세균bacterie真正細菌bacteria + + Archer PlayerBogenschützeboogschutter + + Kardinalκαρδινάλιοςcardinalcardinalecairdinéal카디널kardinaalcardeal枢機卿cardinal + + Weichtiereμαλάκιαmollusqueweekdier軟体動物molluscaΤα μαλάκια αποτελούν μια τεράστια συνομοταξία ζώων, την πολυπληθέστερη μετά τα αρθρόποδα, με πάνω από 100.000 είδη. + + Stadionστάδιοstadestaidiam경기장stadionスタジアムstadium + + Weinκρασίvinvinovinofíonvinwijnワインwine + + national soccer clubnationaler Fußballvereinmilli takımnationale voetbalclub + + cabinet of ministerskabinet (regeringsploeg)A cabinet is a body of high-ranking state officials, typically consisting of the top leaders of the executive branch. + + Museummuzeumμουσείοmuséemúsaem박물관museummuseu博物館museum + + Eiskunstläuferαθλητής του καλλιτεχνικού πατινάζpatineur artistiquepatinador artísticoscátálaí fíorachkunstschaatserpatinador artísticoフィギュアスケート選手figure skater + + Pferdchevalcapallhestpaardウマhorse + + mangaκινούμενα σχέδιαmangamangamanga日本の漫画mangaManga are comics created in JapanManga is het Japanse equivalent van het stripverhaal + + Collegeκολέγιοuniversitéuniversidadcoláiste단과대학collegefaculdade単科大学college + + military serviceMilitärdienstservice militaire + + NASCAR Fahrerοδηγός αγώνων nascarpilote de la nascarnascar coureurnascar driver + + periodical literaturePeriodikumπεριοδικός τύποςpublication périodiquePeriodical literature (also called a periodical publication or simply a periodical) is a published work that appears in a new edition on a regular schedule. The most familiar examples are the newspaper, often published daily, or weekly; or the magazine, typically published weekly, monthly or as a quarterly. Other examples would be a newsletter, a literary journal or learned journal, or a yearbook.Περιοδικός Τύπος (ή αλλιώς περιοδικό ή εφημερίδα) είναι η δημοσίευση άρθρου ή νέων ανά τακτά διαστήματα. Το πιο γνωστό παράδειγμα είναι οι εφημερίδες, που δημοσιεύονται σε καθημερινή ή εβδομαδιαία βάση και το περιοδικό, που τυπικά εκδίδεται σε εβδομαδιαία, μηνιαία ή δίμηνη βάση. Άλλα παραδείγματα μπορεί να είναι τα νέα ενός οργανισμού ή εταιρείας, ένα λογοτεχνικό ή εκπαιδευτικό περιοδικό ή ένα ετήσιο λεύκωμα.Unter Periodikum wird im Bibliothekswesen im Gegensatz zu Monografien ein (in der Regel) regelmäßig erscheinendes Druckwerk bezeichnet. Es handelt sich um den Fachbegriff für Heftreihen, Gazetten, Journale, Magazine, Zeitschriften und Zeitungen.Une publication périodique est un titre de presse qui paraît régulièrement. + + Veneφλέβαveineféithaderveia静脈vein + + pflanzeφυτόplantepiantaplandaplant植物plant + + Filmfilmταινίαfilmpelículascannánfilm영화film映画movieفيلم + + Concentration campKonzentrationslagerconcentratiekampcamp de concentrationcamp in which people are imprisoned or confined, commonly in large groups, without trial. +Includes concentration, extermination, transit, detention, internment, (forced) labor, prisoner-of-war, Gulag; Nazi camps related to the Holocaust + + water polo PlayerWasserpolo Spielerwaterpoloërgiocatore di pallanuoto + + SkigebietΠεριοχή Χιονοδρομίαςdomaine skiableláthair sciálaskigebiedスキー場ski area + + GitarreκιθάραguitareguitarragiotarguitargitaarギターguitarΠεριγράφει την κιθάραDécrit la guitareDescribe la guitarrabeschrijving van de gitaarDescribes the guitar + + Pfarrerιεροκήρυκαςpasteurbiocáirepredikantvicar + + Nordic CombinedNordischer Kombinierer + + SchwimmerKολυμβητήςnageurnuotatorenadadorsnámhaí수영 선수zwemmernadador競泳選手swimmera trained athlete who participates in swimming meetsένας εκπαιδευμένος αθλητής που συμμετέχει σε συναντήσεις κολύμβησης + + Premierministerπρωθυπουργόςpremier ministrepríomh-aire총리eerste ministerprime minister + + Athletαθλητήςathlèteatletalúthchleasaí운동 선수atleetアスリートathlete + + FarbeχρώμαcouleurdathfarvekleurcorcolourColor or colour is the visual perceptual property corresponding in humans to the categories called red, yellow, blue and others. Color derives from the spectrum of light (distribution of light energy versus wavelength) interacting in the eye with the spectral sensitivities of the light receptors. + + escalatorroltrapRolltreppeエスカレーター + + Fabrikεργοστάσιοusinefabbricamonarcha공장fabriek工場factoryA factory (previously manufactory) or manufacturing plant is an industrial site, usually consisting of buildings and machinery, or more commonly a complex having several buildings, where workers manufacture goods or operate machines processing one product into another.Το εργοστάσιο είναι ένα κτίριο μέσα στο οποίο, με τη βοήθεια των μηχανημάτων και τη σημαντικότατη συνεισφορά εργασίας από τους εργάτες, παράγονται σήμερα όλα σχεδόν τα βιομηχανικά είδη, είτε αυτά χρειάζονται πάλι για την παραγωγή (όπως μηχανές κλπ.) είτε είναι καταναλωτικά αγαθά.Une usine est un bâtiment ou un ensemble de bâtiments destinés à la production industrielle. + + conveyor systemFördersystemsystème convoyeurtransportsysteem + + geschriebenes Erzeugnisœuvre écriteobra escritaobair scríofaskriftligt værkgeschreven werkwritten workWritten work is any text written to read it (e.g.: books, newspaper, articles)Ein geschriebenes Erzeugnis ist jede Art von Text der geschrieben wurde um ihn zu lesen (z.B. Bücher, Zeitungen, Artikel). + + snooker world championwereldkampioen snookerSnookerweltmeistercuradh domhanda sa snúcarAn athlete that plays snooker and won the world championship at least onceEin Sportler der Snooker spielt und mindestens einmal die Weltmeisterschaft gewonnen hat + + Botschafterπρεσβευτήςambassadeurambasciatoreembajadorambasadóirembaixador대사 (외교관)ambassadeur大使ambassadorAn ambassador is the highest ranking diplomat that represents a nation and is usually accredited to a foreign sovereign or government, or to an international organization.Un embaixador é o funcionario diplomático de máis alto nivel acreditado diante de un Estado estranxeiro ou organización internacional.&lt;ref&gt;https://gl.wikipedia.org/wiki/Embaixador&lt;/ref&gt; + + Parlamentκοινοβούλιοparlementparlamentoparlaimintparlement議会parliament + + travellatorRollsteigrolpad + + snooker world rankingSnookerweltranglistewereldranglijst snookerThe official world ranking in snooker for a certain year/seasonDie offizielle Weltrangliste im Snooker eines Jahres / einer Saison + + Veranstaltungsortτόπος συνάντησηςlieuionad경기장venue + + radio programmραδιοφωνικό πρόγραμμαprogramme de radiodiffusionprogramma radiofonicoclár raidióradioprogrammaラジオ番組radio program + + Königtumγαλαζοαίματοςroyautérealezakraljevska oseba왕족lid koningshuis王室royalty + + Biologebiologistebioloog生物学者biologist + + WüsteΈρημοςDésertDesiertogaineamhlachwoestijndeserto砂漠DesertA barren area of land where little precipitation occurs.Μία άγονη περιοχή όπου υπάρχει πολύ μικρή βροχόπτωση. + + BasketballmannschaftΚουτί πληροφοριών συλλόγου καλαθοσφαίρισηςéquipe de basketballsquadra di pallacanestrofoireann cispheile농구 팀basketbalteamtime de basqueteバスケットボールチームbasketball team + + Drehbuchautorσεναριογράφοςscénaristesceneggiatorescríbhneoir scáileáinscenarioschrijverscreenwriterΟ σεναριογράφος όχι μόνο γράφει την υπόθεση μιας σειράς άλλα είναι αυτός που επινοεί και τους πρωταγωνιστές του έργου. + + AnwaltAvocatdlíodóiradvocaat弁護士Lawyera person who is practicing law. + + PlanetplanetaΠλανήτηςplanèteplanetapláinéadplanetplanetaplaneetPlaneta惑星planet + + speed skaterEisschnellläuferlangebaanschaatser + + Stellvertreterαναπληρωτήςdéputédiputadogedeputeerde国会議員deputy + + Filmregisseurréalisateur de filmstiúrthóir scannáinregisseurMovie directora person who oversees making of film. + + Familieοικογένειαfamillefamiliateaghlachfamiliefamilie家族familyA group of people related by common descent, a lineage.Μια ομάδα ανθρώπων που συνδέονται με κοινή καταγωγή, μια γενεαλογία. + + Zeitraum Raumflugannée de vols spatiauxaño del vuelo espacialvliegjarenyear in spaceflight + + schreinβωμόςsanctuairesantuarioheiligdom神社shrine + + Wodkavodkavodkawodkavodka + + Bevölkerungπληθυσμόςpopulationdaonrabevolking人口population + + dorfwieśχωριόvillagedesasráidbhailelugardorpvillageगाँवa clustered human settlement or community, usually smaller a townNúcleo pequeno de poboación en que se divide unha parroquia, con poucos veciños e de carácter rural. + + Theaterθέατροthéâtreamharclannschouwburg劇場theatreA theater or theatre (also a playhouse) is a structure where theatrical works or plays are performed or other performances such as musical concerts may be produced. + + Dramaδράμαdramedráma드라마dramaドラマdrama + + winter sport PlayerWintersportspielerwintersporterJoueur de sport d'hiver + + Schutzgebietπροστατευμένη περιοχήaire protégéebeschermd gebied保護地区protected areaThis class should be used for protected nature. For enclosed neighbourhoods there is now class GatedCommunityDeze klasse duidt gebieden aan met de status 'beschermd'. Is dus eigenlijk ook geen klasse, maar zou een attribuut moeten zijn + + penalty shoot-outpenalty schietenciceanna éiriceElfmeterschießen + + rocket engineraketmotorRaketmotor + + Kanalκανάλιcanalcanalecanáil운하kanaalcanal運河canala man-made channel for waterένα κανάλι για νερό φτιαγμένο από άνθρωπο + + ArbeitgeberΕργοδότηςEmployeurEmpleadorfostóirarbejdsgiverwerkgever雇用者Employera person, business, firm, etc, that employs workers.Arbeitgeber ist, wer die Arbeitsleistung des Arbeitnehmers kraft Arbeitsvertrages fordern kann und das Arbeitsentgelt schuldet.άτομο, επιχείρηση, οργανισμός, κλπ που προσλαμβάνει εργαζόμενους. + + musik genreμουσικό είδοςgenre musicalgenere musicale음악 장르genre (muziek)género musicalmusic genre + + Vergnügungsparkattraktionδραστηριότητα λούνα πάρκatracción de parque de atracciónspretparkattractieamusement park attraction + + Jahrrokέτοςannéeañobliainårjaaranoyear + + priesterπαπάςprêtrepretesagartpriester司祭priest + + Abgeordneterβουλευτήςmembre du Congrès하원 의원congressistcongressman + + music composercompositeurcomponistKomponista person who creates music. + + SportartΑθλήματαsportDeportespórtВид спорта스포츠sportesporteスポーツsportA sport is commonly defined as an organized, competitive, and skillful physical activity. + + back sceneBackround-Chorachtergrond koor + + Nervνεύροnerfnéarógzenuw神経nerve + + comic stripstripverhaal (Amerikaanse wijze)Comicstrip + + Sambaschuleσχολή σάμπαescuela de sambasamba schoolescola de sambasamba school + + Hotelξενοδοχείοhôtelalbergoóstánhotel호텔hotelホテルhotel + + Modedesignerσχεδιαστής μόδαςdearthóir faisinmodeontwerperfashion designer + + BibliothekbibliotekaβιβλιοθήκηbibliothèqueBibliotecaleabharlannbibliotek도서관bibliotheek図書館library + + OrgelόργανοOrgueorgelオルガンorganAll types and sizes of organsΌλα τα είδη και τα μεγέθη των οργάνων + + Berufεπάγγελμαmétiergairmberoep専門職profession + + modelμοντέλοmannequinmainicín모델(foto)modelモデル_(職業)model + + Band (Anatomie)σύνδεσμοςbindweefselligamento靭帯ligament + + CipherШифр + + BobsleighAthletebobsleeërBobsportler + + AktivitätaktywnośćΔραστηριότηταactivitéattivitàactividadgníomhaíochtactividadeaktivitet活動활동activiteitatividade活動activity + + Stadtviertelcity districtquartierstadswijkDistrict, borough, area or neighbourhood in a city or town + + Weinkellereiοινοποιείοétablissement vinicolecasa vinicolafíonlannwijnmakerijワイナリーwinery + + national football league eventNFL Game day + + Plattenlabelδισκογραφικήlabel discographiquelipéad ceoilplatenlabelrecord label + + U-Bahn Stationστάση μετρόstation de métrometrostationsubway stationΗ στάση μετρό χρησιμοποιείται συνήθως για μια τοποθεσία ή σημείο όπου σταματάει το μεταφορικό μέσο μετρό + + Synchronsprecheracteur de doublage성우stemacteur声優voice actor + + Olympiadeολυμπιακοί αγώνεςJeux OlympiquesJuegos OlímpicosNa Cluichí Oilimpeacha올림픽Olympische Spelen近代オリンピックolympics + + Angriff, Anschlagattaque, attentataanval, aanslag攻撃attackAn Attack is not necessarily part of a Military Conflict + + Katzechatkatkatcat + + Kanadische Footballligaκαναδική ένωση ποδοσφαίρουligue de football canadienlega di football canadese캐나다 풋볼 리그canadian football competitieカナディアン・フットボール・リーグliga de fútbol canadienseA group of sports teams that compete against each other in canadian football league.ένα σύνολο αθλητικών ομάδων που ανταγωνίζονται μεταξύ τους στην Καναδική ένωση ποδοσφαίρου + + prähistorisch Zeitalterπροϊστορική περίοδοtréimhse réamhstaireperiode in de prehistorieprehistorical period + + BrauereiζυθοποιίαbrasseriebirrificiocerveceríabrouwerijブルワリーbreweryΖυθοποιία ονομάζεται η βιομηχανία παρασκευής μπύρας. + + Lebensmitteljedzenieφαγητόnourriturealimentobiamad음식voedselcomida食品FoodFood is any eatable or drinkable substance that is normally consumed by humans.Φαγητό είναι οποιαδήποτε φαγώσιμη ή πόσιμη ουσία που καταναλώνεται κανονικά από ανθρώπους.Lebensmittel umfasst als Oberbegriff sowohl Getränke als auch die Nahrungsmittel und Genussmittel. + + liedτραγούδιchansoncanzoneamhránsang노래liedsong + + Mathematical conceptmathematisches Konzeptwiskundig conceptMathematical concepts, e.g. Fibonacci numbers, Imaginary numbers, Symmetry + + sports clubSportvereinsportclub + + Theaterstückπαιχνίδιpièce de théâtreobra de teatrodrámatoneelstuk戯曲playA play is a form of literature written by a playwright, usually consisting of scripted dialogue between characters, intended for theatrical performance rather than just reading.Ένα παιχνίδι είναι μια μορφή της λογοτεχνίας, γραμμένο από έναν συγγραφέα, που συνήθως αποτελείται από σενάριο του διαλόγου μεταξύ των χαρακτήρων, που προορίζεται για την θεατρική παράσταση και όχι μόνο ανάγνωση. + + Capital of regionCapitale régionaleHauptstadt der Regionhoofdstad van regioseat of a first order administration division. + + Albumalbum (wydawnictwo muzyczne)albumalbumalbumalbumalbamálbumalbum照片集앨범albumálbumアルバムalbum + + Komikergruppe코미디 그룹cabaretgroepお笑いグループComedy Group + + Athletgiocatore di atletica leggeralúthchleasaíatleet陸上競技選手athletics player + + DateiΑρχείοfichiercomhadbestandファイルfileA document with a filenameΈνα σύνολο από στοιχεία ή πόρους που μπορούν να χρησιμοποιηθούν για επεξεργασία και παραγωγή πληροφορίας + + Treffenσυνάντησηréunioncruinniúvergadering会議meetingA regular or irregular meeting of people as an event to keep record of + + SkulpturΓλυπτικήsculpturesculturabeeldhouwwerk彫刻SculptureSculpture is three-dimensional artwork created by shaping or combining hard materials, typically stone such as marble, metal, glass, or wood, or plastic materials such as clay, textiles, polymers and softer metals.Γλυπτική είναι τρισδιάστατο έργο τέχνης το οποίο δημιουργήθηκε από τη διαμόρφωση ή συνδυάζοντας σκληρά υλικά, τυπικώς πέτρα όπως μάρμαρο, μέταλλο, γυαλί, ή ξύλο, ή πλαστικά υλικά όπως άργιλος, υφάσματα, πολυμερή και μαλακότερα μέταλλα.Een beeldhouwwerk is een drie-dimensionaal kunstvoorwerp of plastiek, gemaakt van harde materialen zoals steen of metaal. Ook kunnen textiel of kunststoffen erin verwerkt zijn of het hoofdbestanddeel ervan uitmaken. + + KernkraftwerkΠυρηνικός Σταθμός Παραγωγής Ενέργειαςcentrale nucléairestáisiún núicléachkernenergiecentraleNuclear Power plant + + boroughTeilgemeindeparroquiadeelgemeenteAn administrative body governing a territorial unity on the lowest level, administering part of a municipality + + deaneryDekanatκοσμητείαproosdijThe intermediate level of a clerical administrative body between parish and diocese + + Fluggesellschaftlinia lotniczaαεροπορική εταιρείαcompagnie aériennecompagnia aereacompañía aereaaerlínecompañía aéreaflyselskab航空公司항공사luchtvaartmaatschappij航空会社airline + + Volleyball-LigaΟμοσπονδία Πετοσφαίρισηςligue de volleyballvolleybal competitievolleyball leagueA group of sports teams that compete against each other in volleyball. + + Medienμέσα ενημέρωσηςmeáinmedia媒体mediastorage and transmission channels or tools used to store and deliver information or data + + kaapcapecap + + grosser Preisγκραν πριgrand prixgran premioGrand Prixgrand prixグランプリGrand Prix + + BergpassΠέρασμα βουνούcol de montagnebergpasdesfiladeiromountain passa path that allows the crossing of a mountain chain. It is usually a saddle point in between two areas of higher elevation + + Werkδημιουργίαœuvreobairarbejdewerkobra仕事work + + Gletscherπαγετώναςglacierghiacciaiooighearshruthgletsjergeleira氷河glacierΠαγετώνες ονομάζονται μεγάλες μάζες πάγου συνήθως κινούμενες λόγω συμπίεσης του χιονιού. + + Raketeπύραυλοςfuséeroicéad로켓raketロケットrocket + + WappenοικόσημοBlasonblazoen (wapenschild)紋章記述Blazon + + Aristokrataristocratearistócratauaslathaíaristocraat貴種aristocrat + + Vogelπτηνόoiseauuccellopájaroéanfuglvogel鳥類bird + + societal eventévènement collectifgesellschatliches Ereignismaatschappelijke gebeurtenisan event that is clearly different from strictly personal events + + ImpfstoffvaccinevaccinvaccinDrugs that are a vaccine‎Medikamente welche Impfstoffe sind + + Golfspielerπαίκτης γκολφgolfeurimreoir gailfgolfspillergolfspelergolf player + + Bowling-Ligaπρωτάθλημα μπόουλινγκligue de bowlinglega di bowlingliga de bolossraith babhlála볼링 리그bowling competitieボーリングリーグbowling leaguea group of sports teams or players that compete against each other in BowlingΜία διοργάνωση ομάδες ανθρώπων ή μεμονομένα άτομα συναγωνίζονται στο άθλημα του μπόουλινγκ, συνήθως με ένα έπαθλο στους πρωταθλητές. + + HeiligeΠληροφορίες Αγίουsaintnaomh성인heilige聖人saint + + historische Periodeιστορική περίοδοςtréimhse sa stairhistorische periodehistorical periodA historical Period should be linked to a Place by way of the property dct:spatial (already defined) + + Squashspielergiocatore di squash스쿼시 선수squashersquash player + + Pokerspielerπαίχτης του πόκερjoueur de pokerimreoir pócairpokerspelerpoker player + + Höheυψόμετροaltitudeairdealtitudehøjdehoogte高度altitudeΤο υψόμετρο είναι η κάθετη απόσταση ενός αντικειμένου σε σχέση με ένα καθορισμένο επίπεδο αναφοράς. Συνήθως το υψόμετρο μετριέται ως η κάθετη απόσταση (υψομετρική διαφορά) ενός τόπου από το επίπεδο της θάλασσας (Μέση Στάθμη Θάλασσας), ενώ για πιο ακριβείς μετρήσεις χρησιμοποιείται το γεωειδές.A altitude é a distancia vertical dun obxecto respecto dun punto de orixe dado, considerado como o nivel cero, para o que se adoita tomar o nivel absoluto do mar.&lt;ref&gt;https://gl.wikipedia.org/wiki/Altitude&lt;/ref&gt; + + train carriagetreinwagon + + Artiklearticleartikel記事article + + animeάνιμεanimeanimeanime일본의 애니메이션animeアニメAnimeA style of animation originating in JapanGeanimeerd Japans stripverhaalΣτυλ κινουμένων σχεδίων με καταγωγή την ΙαπωνίαDesignación coa que se coñece a animación xaponesa + + Buchksiążkaβιβλίοবইlivrelibroleabharкнигаllibrebogboekbook + + Spracheγλώσσαlangageidiomateangalinguasprog언어taal言語language + + Restaurantrestauracjaεστιατόριοrestaurantbialannrestaurantレストランrestaurant + + geologische Periodeγεωλογική περίοδοςpériode géologiqueAgeologische periodegeological period + + old territoryalten Länder + + Kunst- und Wertsachenversammlungcollection d'objets귀중품의 컬렉션verzameling van kostbaarhedencollection of valuablesCollection of valuables is a collection considered to be a work in itself)Een verzameling van kostbaarheden, die als een werk beschouwd wordt ). + + Diözeseεπισκοπήdiocèsedeoise교구bisdom教区dioceseDistrict or see under the supervision of a bishop. + + SpielΠληροφορίες παιχνιδιούjeujuegocluichespilspeljogoゲームgamea structured activity, usually undertaken for enjoyment and sometimes used as an educational tool + + Legislativeνομοθετικό σώμαpouvoir législatiflegislaturareachtaswetgevend orgaan立法府legislature + + Filmgenreείδος ταινίαςgenre de filmseánra scannáinfilmgenremovie genre + + Schauspieleraktorηθοποιόςacteurattoreactoraisteoiraktoreactorskuespiller演員영화인acteurator俳優actoraktierisAn actor or actress is a person who acts in a dramatic production and who works in film, television, theatre, or radio in that capacity.Μια ηθοποιός ή ένας ηθοποιός είναι ένα άτομο που παίζει σε μια δραματική παραγωγή και που εργάζεται στο χώρο του κινηματογράφου, της τηλεόρασης, του θεάτρου, ή το ραδιόφωνο.Un actor, se é home, ou unha actriz, se é muller, é unha persoa que representa un papel nunha obra teatral, cinematográfica, radiofónica ou televisiva.Un attore o un attrice è una persona che recita in una produzione teatrale, televisiva, cinematografica o radiofonica. + + ÄgyptologeαιγυπτιολόγοςégyptologueÉigipteolaíegyptoloogエジプト学者egyptologist + + Amphibieαμφίβιοamphibienanfibioamfaibiachanfibio양서류amfibieanfíbio両生類amphibian + + Golfligaένωση γκολφligue de golfsraith gailfgolf competitieliga de golfegolf leagueGolfplayer that compete against each other in Golf + + PyramidePyramidepirimidpyramideピラミッドPyramida structure whose shape is roughly that of a pyramid in the geometric sense. + + career stationKarrierestationCarrierestapthis class marks a career step in the life of a person, e.g. a soccer player, holding information on the time span, matches and goals he or she achieved at a certain club + + Hochhausουρανοξύστηςgratte-cielilstórach초고층 건물wolkenkrabber超高層建築物skyscraper + + Gruppeομάδαgroupegruppogrupogrúpagruppegroep集団groupAn (informal) group of people.un groupe (informel) de personnes.Μια συνήθως άτυπη ομάδα ανθρώπων. + + klerikaler Ordenκληρική τάξηordre religieuxordine clericaleorden clericalord rialtakloosterordeclerical orderEen kloosterorde is een orde van religieuzen, mannen of vrouwen, die zich verenigd hebben omtrent een gemeenschappelijke geloofsopvatting en kloosterregel waaraan zij gebonden zijn, en op een permanente wijze samenleven binnen één en dezelfde plaatselijke gemeenschap, een klooster of een tempel. Meerdere kloosters van gelijkgezinde religieuzen vormen samen een kloosterorde. + + Wind motorWindkraftéolienneRoosmolenA wind-driven turbine that adapts itself to wind direction and to wind-force. Is considered to be a class in its own, despite the wind as common factor with Windmill. + + life cycle eventLebenszyklus Ereigniswordingsgebeurtenis + + Drogeφάρμακοmédicamentdrugageneesmiddel薬物drug + + Turnierτουρνουάtournoitorneocomórtastoernooitournament + + Zugτρένοtraintrenotrentraeintogtrein列車train + + ReferenzαναφοράVerwijzing参考文献ReferenceReference to a work (book, movie, website) providing info about the subjectVerwijzing naar een plaats in een boek of film + + WindmühleΑνεμόμυλοςmoulin à ventmulino a ventoMolinos de vientomuileann gaoithevindmølleWindmolen風車WindmillA windmill is a machine that converts the energy of wind into rotational energy by means of vanes called sailsLe moulin à vent est un dispositif qui transforme l’énergie éolienne (énergie cinétique du vent) en mouvement rotatif au moyen d’ailes ajustables. + + SportligaΑθλητική Ομοσπονδίαligue sportiveliga deportiva스포츠 리그sport competitieスポーツリーグsports leagueA group of sports teams or individual athletes that compete against each other in a specific sport. + + Brettspielεπιτραπέζιο παιχνίδιjeu de sociétégioco da tavolojuego de mesabrætspil보드 게임bordspelボードゲームboard gamecome from http://en.wikipedia.org/wiki/Category:Board_gamesUn gioco da tavolo è un gioco che richiede una ben definita superficie di gioco, che viene detta di solito tabellone o plancia. + + Badmintonspielerπαίχτης του μπάντμιντονjoueur de badmintongiocatore di badmintonimreoir badmantain배드민턴 선수badmintonspelerjogador de badmintonバドミントン選手badminton player + + WährungνόμισμαdeviseairgeadraВалютаВалюта통화muntsoort通貨currency + + Programmierspracheγλώσσα προγραμματισμούlangage de programmationteanga ríomhchlárúcháinprogrammeringssprog프로그래밍 언어programmeertaallinguagem de programaçãoprogramming language + + Schachspielerszachistaπαίκτης σκάκιjoueur d'échecsgiocatore di scacchiimreoir fichille체스 선수schakerチェスプレーヤーchess player + + Rugbyspielerπαίκτης rugbyjoueur de rugbyimreoir rugbaírugbyspelerrugby player + + Dartspielerπαίκτης βελάκιων다트 선수darterdarts player + + PersonosobaΠληροφορίες προσώπουpersonnepersonapersonaduinepertsonaOsebapersonpersoonpessoaանձ人_(法律)personشخص + + Architektαρχιτέκτοναςarchitectearchitettoarquitectouaslathaí건축가architect建築士architect + + Globular Swarmglobulaire zwerm (cluster)KugelschwarmΣφαιρωτό σμήνος + + Handball-LigaΟμοσπονδία Χειροσφαίρισηςligue de handballhåndboldligahandbal competitiehandball leaguea group of sports teams that compete against each other in Handball + + Hundσκύλοςchienmadrahundhondイヌdog + + political functionpolitische Funktionfonction politiquepolitieke functie + + electrical substationtransformatorhuisjeTransformatorenstation + + InfrastrukturΥποδομήinfrastructureinfrastrukturinfrastructureインフラストラクチャーinfrastructure + + Atollατόληatollatollo환초atol環礁atoll + + Ereignis im persönlichen Lebenπροσωπικό συμβάνévènement dans la vie privéelevensloopgebeurtenispersonal eventan event that occurs in someone's personal lifeένα συμβάν που αφορά την προσωπική ζωή κάποιου + + Motorradμοτοσυκλέταmotomotociclettagluaisrotharmotorfietsmotorcycle + + HafenPortcaladhhaven港湾Porta location on a coast or shore containing one or more harbors where ships can dock and transfer people or cargo to or from land. + + giocatore di netballnetball playerkorfbalspelerKorbballspieler + + statistischστατιστικήstatistiquestaitisticstatistischstatistic + + religious organisationReligionsorganisationkerkelijke organisatieorganización religiosa + + Präfekturνομαρχίαpréfectureprefectuurprefecture + + Weltraummissionδιαστημική αποστολήmission spatialemisión espacialmisean spáís우주 임무ruimtemissiespace mission + + Eisenbahnlinieσιδηρόδρομοςlíne iarnróidspoorlijnrailway lineO σιδηρόδρομος είναι μια υπηρεσία μεταφοράς επιβατών ή εμπορευμάτων με τρένα που παρέχονται από έναν οργανισμό. Δεν πρέπει να συγχέεται με τη σιδηροδρομική γραμμή, τη δομή που αποτελείται από τις ράγες. Στη Βικιπαίδεια δε γίνεται σαφής διαφοροποίηση μεταξύ των δύο, έτσι υπάρχει ένα κουτί πληροφοριών που περιγράφει ράγες και γραμμέςA railway line is a transport service by trains that pull passengers or freight provided by an organization. Not to be mistaken for railway track, which is the structure consisting of the rails. Wikipedia do not clearly differentiate between both, so there is one infobox describing tracks and lines.Eine Eisenbahnlinie im Verkehrswesen ist die regelmäßige Bedienung einer bestimmten Eisenbahnstrecke durch öffentliche Verkehrsmittel. + + LiedήχοςfuaimlydgeluidsoundAn audio document intended to be listened to; equivalent to http://purl.org/dc/dcmitype/SoundΜεταβολή στην πίεση του ατμοσφαιρικού αέρα που διεγείρει το αισθητήριο όργανο της ακοής μέσω ηχητικών κυμάτων + + Radrennenδιαγωνισμός ποδηλασίαςgara ciclisticaPrueba ciclistacykelløb사이클 대회wielercompetitiecycling competition + + StraßeΟδόςstraatsráidrueストリートstreetA Street is different from a Road in as far as the infrastructure aspect is much less important here. A Street is a social and architectural ensemble much more than the connection between two geographic points. + + Klosterklasztorμοναστήριmonastèremainistirmonestirklosterklooster僧院monasteryKlasztor – budynek lub zespół budynków, w którym mieszkają wspólnoty religijne zakonników albo zakonnic.Μονή υποδηλώνει το κτίριο ή συγκρότημα κτιρίων, που αποτελείται από τις εγχώρια τρίμηνα και στο χώρο εργασίας (ες) των μοναχών, αν οι μοναχοί ή μοναχές, και αν ζουν στην κοινότητα ή μεμονωμένα (ερημίτες). Η μονή περιλαμβάνει γενικά ένα χώρο που προορίζεται για την προσευχή που μπορεί να είναι ένα παρεκκλήσι, εκκλησία ή ναό, και μπορεί επίσης να χρησιμεύσει ως μια ρητορική.Le monastère est un ensemble de bâtiments où habite une communauté religieuse de moines ou de moniales..Is pobal manaigh ina gcónaí faoi móideanna reiligiúnach í mainistir.Un monestir és un tipus d'edificació per a la reclusió dels religiosos, que hi viuen en comú. Originàriament un monestir era la cel·la d'un sol monjo, dit en aquest cas ermità o anacoreta.Een klooster (van het Latijnse claustrum, afgesloten ruimte) is een gebouw of een samenstel van gebouwen dat dient tot huisvesting van een groep of gemeenschap van mannen of vrouwen, vaak monniken of monialen genoemd, die zich uit de wereld heeft teruggetrokken om een godsdienstig leven te leiden.Monastery denotes the building, or complex of buildings, comprising the domestic quarters and workplace(s) of monastics, whether monks or nuns, and whether living in community or alone (hermits). The monastery generally includes a place reserved for prayer which may be a chapel, church or temple, and may also serve as an oratory. + + Eisenbahntunnelσιδηροδρομική σήραγγαtollán iarnróidspoorwegtunnelrailway tunnel + + Kartenspieljeu de cartesjuego de cartaskortspilkaartspelcard gamecome from http://en.wikipedia.org/wiki/Category:Card_games + + Senatorγερουσιαστήςsénateursenadorseanadóirsenator上院議員senator + + chemisches Elementχημικό στοιχείοélément chimiqueelemento chimico원소chemisch element元素chemical element + + Diplomδίπλωμαdiplômedioplómadiploma卒業証明書diploma + + Vornameimięόνομαprénomcéadainmvoornaamgiven name + + Arterietętnicaαρτηρίαartèrearteriaartaire동맥slagader動脈artery + + Buchtbaiebaaibaíabay + + Feldhockey-Ligaπρωτάθλημα χόκεϊ επί χόρτουligue d'hockey sur gazonhockeybondfield hockey leaguea group of sports teams that compete against each other in Field Hockeyένα γκρουπ αθλητικών ομάδων που διαγωνίζονται η μια εναντίον της άλλης στο χόκεϊ επί χόρτου + + Archipelαρχιπέλαγοςarchipelarchipiélagoarchipelarquipélago多島海archipelago + + RobotРобота + + Wettbewerbδιαγωνισμόςcompétitioncomórtascompetitiecompetition + + TennisturnierΤουρνουά Τένιςtorneo di tenniscomórtas leadóigetennis toernooiテニストーナメントtennis tournament + + SynagogesynagogaσυναγωγήsynagoguesinagogasionagógsynagogeシナゴーグsynagogueA synagogue, sometimes spelt synagog, is a Jewish or Samaritan house of prayer.Une synagogue est un lieu de culte juif. + + ProjektσχέδιοprojetproyectotionscadalprojectプロジェクトprojectA project is a temporary endeavor undertaken to achieve defined objectives.Ein Projekt ist ein zeitlich begrenztes Unternehmen, das unternommen wird, um definierte Ziele zu erreichen. + + Football Liga Saisonαγωνιστική περίοδος πρωταθλήματος ποδοσφαίρουséasúr srath péile축구 대회 시즌Football League seizoenfootball league season + + Kameraφωτογραφική μηχανήappareil photographiquefotocameraceamara카메라cameraカメラcameraUna fotocamera (in lingua italiana nota tradizionalmente come macchina fotografica) è uno strumento utilizzato per la ripresa fotografica e per ottenere immagini di oggetti reali stampabili su supporti materiali cartacei o archiviabili su supporti elettronici.Φωτογραφική μηχανή ονομάζεται η συσκευή που χρησιμοποιείται για τη λήψη φωτογραφιών.Οι ευρύτερα χρησιμοποιούμενες σήμερα φωτογραφικές μηχανές, ερασιτεχνικής ή επαγγελματικής χρήσης, διακρίνονται σε δύο βασικές κατηγορίες: τις συμπαγείς και στις μονοοπτικές ρεφλέξ. Διακρινόμενες, ανάλογα με την τεχνολογία τους,είναι οι κλασικές φωτογραφικές μηχανές με φιλμ και οι ψηφιακές φωτογραφικές μηχανές. + + richterδικαστήςjugegiudicejuezbreitheamhrechter裁判官judge + + Schiffstatekπλοίοnavirebarcoárthachschipship + + Auszeichnungnagrodaβραβείοrécompensepremiogradamnagradaprijsaward + + Himmelskörperουράνιο σώμαcorps celestecorpo celestecuerpo celesterinn neimhe천체hemellichaam天体celestial body + + Friedhofνεκροταφείοcimetièrecementerioreiligbegraafplaats墓地cemeteryA burial placeΝεκροταφείο (ή Κοιμητήριο) ονομάζεται ο χώρος ο προορισμένος για την ταφή των νεκρών.Un cimetière est un groupement de sépultures monumentales. + + one-time municipalitycommune historiqueehemalige Gemeindevoormalige gemeenteA municipality that has ceased to exist, and most of the time got incorporated (wholesale or partly) into another municipality + + martial artistKampfkünstlerΠολεμικός Καλλιτέχνης + + hollywood cartoonHollywood cartoonκινούμενα σχέδια του HollywoodHollywood Cartoon + + Erdbebentremblement de terreaardbeving地震earthquakethe result of a sudden release of energy in the Earth's crust that creates seismic waves + + Musicalμουσικόςmusique뮤지컬musicalミュージカルmusical + + Beachvolleyballspielerπαίκτης του beach volleyjoueur de volleyball de plagegiocatore di beach volley비치발리볼 선수beachvolleybal spelerビーチバレー選手beach volleyball playerΈνα άτομο (άνδρας ή γυναίκα) που ασχολείται με το άθλημα του μπίτς βόλλεϋ. + + national collegiate athletic association team seasonNCAA Team SaisonNCAA team seizoen + + Sternαστέριétoilestellaréalta항성ster恒星star + + Inlinehockey Ligaπρωτάθλημα χόκεϋ inlinesraith haca inlíneinlinehockey competitieinline hockey leaguegroup of sports teams that compete against each other in Inline Hockey. + + Vorentscheid Eurovision song contestΔιαγωνισμός τραγουδιού της Eurovisionconcours Eurovision de la chansoniontráil i gComórtas Amhránaíochta na hEoraifíseEurovisie Songfestival actEurovision song contest entry + + Gemeindeενορίαparoisseparóisteparochie小教区parishThe smallest unit of a clerical administrative bodyΕίναι η μικρότερη μονάδα στην διοικητική ιερατική δομή. + + Amateurboxerερασιτέχνης μποξέρboxeur amateurpugile amatorialedornálaí amaitéarachboxeador afeccionado아마추어 권투 선수amateur boxerアマチュアボクサーamateur boxer + + Brauner Zwergbrown dwarfbruine dwerg + + KnochenοστόosossohuesocnámhbotossoboneΗ βασική μονάδα του συστήματος στήριξης των σπονδυλωτών οργανισμών. + + polysaccharidePolysaccharidepolysacharideZijn koolhydraten die zijn opgebouwd uit tien of meer monosacharide-eenheden + + Stadtmiastoπόληvillecittàciudadcathaircidadeby도시stadcidadecityशहरa relatively large and permanent settlement, particularly a large urban settlementun asentamiento permanente y relativamente grande, especialmente un gran asentamiento urbanoActualmente considérase como unha entidade urbana con alta densidade de poboación na que predominan fundamentalmente a industria e os servizos. + + Ökonomοικονομολόγοςéconomisteeconomistaeacnamaí경제학자econoom経済学者economistAn economist is a professional in the social science discipline of economics.Le terme d’économiste désigne une personne experte en science économique.Un economista es un profesional de las ciencias sociales experto en economía teórica o aplicada. + + Konventionσυνέδριοcongrès컨벤션congresconvention + + Dokumentenartτύπος εγγράφουcineál cáipéisedocumenttypeDocument Typetype of document (official, informal etc.)documenttype + + speedway riderSpeedway Fahrerspeedway rijder + + Turnerγυμναστήςgleacaígymnastturner体操選手gymnastA gymnast is one who performs gymnasticsΈνας γυμναστής είναι ένας που εκτελεί γυμναστικές ασκήσεις + + Einkaufszentrumεμπορικό κέντροcentre commercialionad siopadóireachta쇼핑몰winkelcentrumshoppingショッピングモールshopping mall + + Journalistδημοσιογράφοςjournalistegiornalistaperiodistairiseoirjournalistジャーナリストjournalist + + HormonehormoonA hormone is any member of a class of signaling molecules produced by glands in multicellular organisms that are transported by the circulatory system to target distant organs to regulate physiology and behaviour.Hormonen zijn signaalstoffen die door endocriene klieren via de bloedbaan aan doelcellen of -organen worden afgegeven en fysiologische processen en gedrag reguleren + + Sportanlageαθλητικές εγκαταστάσειςinstallation sportivesportfaciliteitsport facility + + Agentπράκτοραςagentagenteagentegníomhaireaxenteagent에이전트agentエージェントagentAnalogous to a foaf:Agent, an agent is an entity that acts. This is intended to be the super class of Person and Organisation.Ανάλογα με την κλάση foaf:Agent, ένας πράκτορας είναι μια οντότητα που ενεργεί. Αυτό προορίζεται να είναι μια υπερκλάση της κλάσης Άτόμο και Οργανισμός.Análogo a foaf:Agent, un axente é unha entidade que actúa. Destínase a ser a super clase de Persoa e Organización. + + MühleΜύλοςMoulinmulinomuileannmølleMolen粉砕機Milla unit operation designed to break a solid material into smaller pieces + + GemäldeobrazΈργο Ζωγραφικήςpeinturepictiúrmalerischilderij絵画PaintingDescribes a painting to assign picture entries in wikipedia to artists. + + olympisches Ergebnisαποτελέσματα Ολυμπιακών αγώνωνrésultat de Jeux Olympiquesresultados de Juegos Olímpicosresultaat op de Olympische Spelenolympic result + + Sports team memberμέλος αθλητικής ομάδαςsport teamlidSport Team Mitgliedlid van een athletisch teamA member of an athletic team.Μέλος αθλητικής ομάδας. + + MilitäreinheitΣτρατιωτική Μονάδαunité militaireunidad militar군대militaire eenheidunidade militarmilitary unit + + öffentlicher Dienstδημόσιες υπηρεσίεςservice publicstaatsapparaatpublic serviceΕίναι οι υπηρεσίες που προσφέρονται από δομές του κράτους + + Manga-Charakterχαρακτήρας ανιμάνγκαpersonnage d'animangapersonaggio animangacarachtar animangapersonaxe de animanga만화애니 등장인물ani-manga figuurキャラクターanimanga characterAnime/Manga characterΧαρακτήρας από Άνιμε/Μάνγκα + + Fußballturnierτουρνουά ποδοσφαίρουcomórtas sacairvoetbal toernooicampeonato de futebolfutbol turnuvasıサッカートーナメントsoccer tournoment + + Krankheitασθένειαmaladiemalattiagalarsygdom질병ziekte病気disease + + literary genreLiteraturgattunggenre littéraireliterair genreGenres of literature, e.g. Satire, Gothic + + Weintraubeσταφύλιraisinuvauvafíonchaordruifブドウgrape + + Gewässerύδαταétendue d'eaudistesa d'acquaCuerpo de agua수역watervlakteextensão d’água水域body of waterΣυγκεντρωμένες, συνήθως μεγάλες ποσότητες νερού (π.χ. ωκεανοί) που βρίσκονται στη Γη ή σε οποιονδήποτε άλλο πλανήτη. Ο όρος χρησιμοποιείται και για υδάτινους σχηματισμούς όπου υπάρχει κίνηση του νερού, όπως ποταμοί, ρεύματα ή κανάλια. + + historical eventhistorische gebeurtenisévènement historiquehistorisches Ereignisan event that is clearly different from strictly personal events and had historical impact + + Rennstreckeπίστα αγώνωνcircuit de courserásraonracecircuitサーキットのコースrace track + + historisches Gebäudeιστορικό κτίριοbâtiment historiquefoirgneamh stairiúilhistorisch gebouw歴史的建造物historic building + + DenkmalμνημείοmonumentséadchomharthamonumentモニュメントmonumentA type of structure (a statue or an art object) created to commemorate a person or important event, not necessarily of a catastrophic nature. + + Künstlerartystaκαλλιτέχνηςartisteartistaealaíontóirмастакхудожникkunstner예술가kunstenaar芸術家artist + + Pferdetrainerεκπαιδευτής αλόγωνpaardentrainer調教師horse trainer + + Kanutecanoistacanúálaíkanovaarderカヌー選手canoeist + + geopolitische Organisationγεωπολιτική οργάνωσηorganisation géopolitiqueorganización geopolítica지정학적 조직geopolitieke organisatiegeopolitical organisation + + Mausgenomγονίδιο ποντικιούgéin luichemuisgenoomマウス遺伝子MouseGene + + Bruttoinlandsprodukt pro Kopfακαθάριστο εγχώριο προϊόν κατά κεφαλήνproduit intérieur brut par habitantolltáirgeacht intíre per capitabruto nationaal product per hoofd van de bevolkinggross domestic product per capita + + WahldiagramElection Diagramεκλογικό διάγραμμαverkiezingen diagram + + QuoteZitatcitaat引用 + + American-Football-Teamομάδα αμερικανικού ποδοσφαίρουéquipe américaine de football américainsquadra di football americanoequipo de fútbol americano미식 축구 팀Amerikaans football teamアメリカン・フットボール・チームamerican football Team + + still imageStandbildimage fixestilstaand beeldA visual document that is not intended to be animated; equivalent to http://purl.org/dc/dcmitype/StillImage + + gälischen SportspielerΓαελικός παίκτης παιχνιδιώνjoueur de sports gaéliquesimreoir sa Chumann Lúthchleas GaelGaelische sporterGaelic games player + + Romanνουβέλαromannovellaúrscéalromanroman小説novelA book of long narrative in literary proseΈνα βιβλίο με μεγάλη αφήγηση σε λογοτεχνική πρόζαLe roman est un genre littéraire, caractérisé pour l'essentiel par une narration fictionnelle plus ou moins longue. + + Schlittschuhläuferπαγοδρόμοςpattinatorescátálaíschaatserスケート選手skater + + Curlingspielerμπικουτί컬링 선수curlingspelerカーリング選手curler + + governmental administrative regionstaatliche Verwaltungsregionrégion administrative d'étatgebied onder overheidsbestuurAn administrative body governing some territorial unity, in this case a governmental administrative body + + Gartenκήποςjardingiardinogáirdínhavetuin庭園gardenA garden is a planned space, usually outdoors, set aside for the display, cultivation, and enjoyment of plants and other forms of nature. (http://en.wikipedia.org/wiki/Garden) + + Künstler der klassischen Musikκαλλιτέχνης κλασικής μουσικήςartiste de musique classiqueceoltóir clasaiceachartiest klassieke muziekclassical music artistΟ Λούντβιχ βαν Μπετόβεν,Γερμανός συνθέτης και πιανίστας,ήταν ένας σπουδαίος καλλιτέχνης της κλασικής μουσικής. + + Eukaryotenευκαρυωτικόeucaryoteeucarionteeocarót진핵생물eukaryoot真核生物eukaryote + + Professorprofesorκαθηγητήςprofesseurollamhprofessor教授professor + + Vizepräsidentαντιπρόεδροςvice présidentleasuachtaránvice presidentvice president + + Baseball-Ligaπρωτάθλημα μπέιζμπολligue de baseballlega di baseballliga de béisbolsraith daorchluiche야구 리그honkbal competitie野球リーグbaseball leaguea group of sports teams that compete against each other in Baseball.ένα σύνολο από ομάδες μπέιζμπολ οι οποίες συναγωνίζονται μεταξύ τους. + + historischer ProvinzAncienne provincecúige stairiúilvoormalige provincieHistorical provinceA place which used to be a province. + + Bildungseinrichtungεκπαιδευτικό ίδρυμαétablissement d'enseignementinstitución educativauddannelsesinstitution교육 기관onderwijsinstellingeducational institution + + Raumstationδιαστημικός σταθμόςstation spatialeestación espacialstáisiún spáis우주 정거장ruimtestationspace station + + Sternbildαστερισμόςconstellationcostellazioneconstelaciónréaltbhuíon별자리samensteltakımyıldızı星座constellationUna costellazione è ognuna delle 88 parti in cui la sfera celeste è convenzionalmente suddivisa allo scopo di mappare le stelle. + + skifahrerσκιέρskieursciatoresciálaískiërスキーヤーskier + + politician spouseEhepartner eines Politikerpartner van een politicusσύζυγος πολιτικού + + underground journalUnderground ZeitschriftverzetsbladAn underground journal is, although over time there have always been publications forbidden by law, a phenomenon typical of countries occupied by the Germans during the Second World War. The writing in the underground press aims at stiffening a spirit of resistance against Nazi occupation. The distribution of underground journals had to be very secretive and was, therefore, very much dependant on illegal distribution circuits and the hazards of persecution by the occupant.Ondergrondse bladen zijn, hoewel een verschijnsel van alle tijden, een verschijnsel dat sterk wordt geassocieerd met het verzet tegen de Duitse bezetter in de Tweede Wereldoorlog. De artikelen in deze bladen waren erop gericht de verzetsgeest levend te houden of aan te wakkeren. De verspreiding van illegale tijdschriften was sterk afhankelijk van illegale distributiekanalen en van het falen of succes van de Duitse pogingen om deze kanalen op te rollen. + + Paintball-Ligaκύπελλο paintballligue de paintballpaintball competitiepaintball leaguea group of sports teams that compete against each other in Paintballένα γκρουπ αθλητικών ομάδων που ανταγωνίζονται στο paintball + + BärlappΜούσκλιαlycopodiopsida석송강wolfsklauwヒカゲノカズラ綱club moss + + Komposition klassischer Musikσύνθεση κλασικής μουσικήςcomposition de musique classiquecomposizione di musica classicacompositie klassieke muziekclassical music compositionΗ σύνθεση κλασικής μουσικής μπορεί να πραγματοποιηθεί και με τη βοήθεια ειδικών προγραμμάτων στον υπολογιστή που χρησιμοποιούν συγκεκριμένο αλγόριθμο. + + hockey clubHockeyvereinhockeyclub + + Strandplageplayaplatjastrandstrandpraia砂浜beachThe shore of a body of water, especially when sandy or pebbly.Ribera del mar o de un río grande, formada de arenales en superficie casi plana. + + Lacrosse-Ligaπρωτάθλημα χόκεϋ σε χόρτοligue de crosselacrosse bondラクロスリーグlacrosse leaguea group of sports teams that compete against each other in Lacrosse. + + Serienmörderκατά συρροήν δολοφόνοςtueur en sérieseriemoordenaarserial killer + + identifieridentificatorBezeichneridentifiant + + olympic eventolympische Veranstaltungολυμπικακό γεγονόςOlympisch evenement + + Künstler Diskografieδισκογραφία καλλιτέχνηdiscogafía de artistadiscografia dell'artistadioscagrafaíocht an ealaíontóra음반artiest discografieディスコグラフィartist discography + + Demografieδημογραφίαdémographiedéimeagrafaicdemografie人口動態demographicsPopulation of a place. Uses these properties: populationTotal, year (when measured, populationYear), rank (sortOrder of this place amongst its siblings at the same level), name (areal measured by the population, eg: "locality", "municipality" or "comitat") + + archbishopErzbischofaartsbisschoparchevêque + + formula one racingFormel-1 Rennenφόρμουλα ένας αγώναςFormule 1-r‎ace + + Sportereignisévènement sportifsportevenementevento esportivosports eventa event of competitive physical activity + + Sprachwissenschaftlerlingwistaγλωσσολόγοςlinguisteteangeolaílingüistalinguïst言語学者linguist + + Bildhauerγλύπτηςsculpteurdealbhóirbeeldhouwer彫刻家sculptor + + RelationshipОтношение + + Papstpapieżπάπαςpapepápa교황paus教皇pope + + chemische Verbindungχημική ένωσηproduit chimiquecomposto chimicocomhdhúileach화합물chemisch componentcomposto químico化合物chemical compound + + Bierpiwoμπύραbièrebirracervezabeoirøl맥주bierビールbeer + + period of artistic stylestijlperiodeKunst Zeitstil + + overseas departmentÜbersee-Departementdépartement outre meroverzees departement + + Australian Football Teamποδοσφαιρική ομάδα αυστραλίαςÉquipe de Football Australiensquadra di football australianoAustralian football teamオーストラリアンフットボールチームaustralian football Team + + levéedigadijk堤防dikeA dike is an elongated naturally occurring ridge or artificially constructed fill or wall, which regulates water levels + + IntercommunalityInterkommunalitätintercommunalité + + Star сlusterЗвездное скопление + + Noble familyAdelsfamilieadelijk geslachtFamily deemed to be of noble descent + + WeltkulturerbeΜνημείο Παγκόσμιας Πολιτιστικής Κληρονομιάς (Πληροφορίες ΠΠΚ)site du patrimoine mondialLáithreán Oidhreachta Domhanda세계유산werelderfgoed世界遺産World Heritage SiteA UNESCO World Heritage Site is a site (such as a forest, mountain, lake, desert, monument, building, complex, or city) that is on the list that is maintained by the international World Heritage Programme administered by the UNESCO World Heritage Committee, composed of 21 state parties which are elected by their General Assembly for a four-year term. A World Heritage Site is a place of either cultural or physical significance. + + Comicκινούμενα σχέδιαbande dessinéefumettohistorietagreannán만화stripverhaal漫画comic + + ski jumperSkispringerskispringer + + arrondissementarrondissementarrondissementフランスの群arrondissementAn administrative (France) or lawcourts (Netherlands) body governing a territorial unity on the intermediate level, between local and national levelDas Wort Arrondissement dient zur Bezeichnung verschiedener Verwaltungsbezirke in Frankreich, Belgien, Kanada und anderen Ländern + + American-Football-Ligaaμερικανικό πρωτάθλημα ποδοσφαίρουamerican football leaguelega di football americanoliga de fútbol americanoliga de fútbol americano미식 축구 대회Amerikaanse voetbal competitieliga de futebol americanoアメリカン・フットボール・リーグamerican football leagueA group of sports teams that compete against each other in american football.Ένα σύνολο αθλητικών ομάδων που ανταγωνίζονται μεταξύ τους στο αμερικάνικο ποδόσφαιρο.A National Football League (en galego: Liga Nacional de Fútbol Americano), mellor coñecida polas súas siglas en inglés, NFL, é a maior liga de fútbol americano profesional dos Estados Unidos e está considerada como a máis grande e prestixiosa propiedade deportiva nese país.&lt;ref&gt;https://gl.wikipedia.org/wiki/National_Football_League&lt;/ref&gt; + + Sportmannschaftομαδικά αθλήματαéquipe sportivesportteamスポーツチームsports team + + Australian Football Leagueαυστραλιανό πρωτάθλημα ποδοσφαίρουaustralian football leaguelega di football australianoliga de fútbol australiana오스트레일리안 풋볼 리그australian football competitieliga de futebol australianoオーストラリアン・フットボール・リーグaustralian football leagueA group of sports teams that compete against each other in australian football.Μια ομάδα αθλητικών ομάδων που ανταγωνίζονται μεταξύ τους σε αυστραλιανό ποδόσφαιρο. + + Sendergruppesieć emisyjnaδίκτυο ραδιοφωνικής μετάδοσηςchaîne de télévision généralisteemittentelíonra craolacháin브로드캐스트 네트워크omroeporganisatieネットワーク_(放送)broadcast networkA broadcast network is an organization, such as a corporation or other association, that provides live or recorded content, such as movies, newscasts, sports, and public affairs programs for broadcast over a group of radio or television stations. (http://en.wikipedia.org/wiki/Broadcast_network - 28/03/2011)Ένα δίκτυο μετάδοσης είναι μια οργάνωση, όπως μια εταιρεία ή άλλη ένωση, που παρέχει ζωντανό ή μαγνητοσκοπημένο περιεχόμενο, όπως ταινίες, δελτία ειδήσεων, αθλητικά, και τα προγράμματα δημοσίων υποθέσεων για την εκπομπή πάνω από μια ομάδα ραδιοφωνικών ή τηλεοπτικών σταθμών + + NobelpreisΒραβείο ΝόμπελPrix NobelPremio NobelPremio NobelDuais NobelNobelprijsノーベル賞Nobel Prize + + Hockeymannschaftομάδα χόκεϊéquipe de hockeyHokejska ekipahockeyploeghockey team + + Mörderδολοφόνοςassassinassasinodúnmharfóir연쇄 살인자moordenaar殺人murderer + + Auszeichnungδιακόσμησηdécorationonorificenzacondecoración장식onderscheiding勲章decorationAn object, such as a medal or an order, that is awarded to honor the recipient ostentatiously.Per onorificenza si intende un segno di onore che viene concesso da un'autorità in riconoscimento di particolari atti benemeriti.Une distinction honorifique en reconnaissance d'un service civil ou militaire . + + Wrestling-Veranstaltungαγώνας πάληςmatch de catchworstelevenementwrestling event + + Gemeindeδήμοςcommunemunicipiogemeente基礎自治体municipalityAn administrative body governing a territorial unity on the lower level, administering one or a few more settlementsΔήμος ονομάζεται μία οντότητα της δημόσιας διοίκησης, η οποία στα περισσότερα κράτη αποτελεί τη βασική αυτοδιοικητική μονάδα και κατά κανόνα περιλαμβάνει μια πόλη ή κωμόπολη και τα γύρω χωριά της.Un Municipio es el ente local definido en el artículo 140 de la Constitución española y la entidad básica de la organización territorial del Estado según el artículo 1 de la Ley 7/1985, de 2 de abril, Reguladora de las Bases del Régimen Local. Tiene personalidad jurídica y plena capacidad para el cumplimiento de sus fines. La delimitación territorial de Municipio está recogida del REgistro Central de Cartografía del IGN + + Brückeγέφυραসেতুpontpontedroicheadmostbro다리brugpontebridgeA bridge is a structure built to span physical obstacles such as a body of water, valley, or road, for the purpose of providing passage over the obstacle (http://en.wikipedia.org/wiki/Bridge). + + Bezirkπεριοχήarrondissementkecamatanceantardistrict地区districtbagian wilayah administratif dibawah kabupaten + + BergΒουνόmontagnesliabhbergmontanhamountain + + Achterbahnτρενάκι σε λούνα παρκmontagne russerollchóstóirachtbaanroller coaster + + Radrennenαγώνας ποδηλασίαςcorsa ciclisticacykelløbwielerwedstrijdcycling race + + track listTitellisteλίστα κομματιώνlijst van nummersA list of music tracks, like on a CDEen lijst van nummers als op een CD album + + ArchivarchiwumαρχείοarchivearchivoArchiefアーカイブArchiveCollection of documents pertaining to a person or organisation.Collection de documents appartenant à une personne ou une organisation.Η συλλογή των εγγράφων που σχετίζονται με ένα πρόσωπο ή οργανισμό.Verzameling van documenten rondom een persoon of organisatie. + + Schleuseκλειδαριάécluseglaslåssluislock + + Höhleσπηλιάgrottegrottapluais동굴grotcaverna洞窟cave + + Handballmannschaftομάδα χειροσφαίρισηςéquipe de handballsquadra di pallamanofoireann liathróid láimhehåndboldholdhandbal teamhandball team + + WissenschaftlerΕπιστήμοναςবিজ্ঞানীscientifiqueeolaí과학자wetenschapper科学者scientist + + Humoristχιουμορίσταςhumoristekomiek喜劇作家または喜劇俳優humorist + + WebseiteΙστότοποςsite websuíomh idirlínsitio web웹사이트websiteウェブサイトwebsite + + Lympheλέμφοςlymphelimfelymfeリンパlymph + + TV-Regisseurréalisateur de télévisiontv-regisseurTVディレクターTelevision directora person who directs the activities involved in making a television program. + + Forschungsprojektερευνητικό έργοprojet de rechercheproyecto de investigacióntionscadal taighdeonderzoeksprojectresearch projectA research project is a scientific investigation, usually using scientific methods, to achieve defined objectives.Ένα ερευνητικό έργο είναι μια επιστημονική έρευνα, συνήθως με τη χρήση επιστημονικών μεθόδων, για την επίτευξη των καθορισμένων στόχων. + + Gegendτόποςlocalitéceantarstreek地域locality + + Tierζώοanimalanimaleanimalainmhíanimalživaldyr동물dieranimalzviera動物animal + + medizinisches Fachgebietιατρική ειδικότηταspécialité médicalespecializzazione medica진료과medisch specialisme診療科medical specialty + + Kontinentήπειροςcontinentcontinentecontinenteilchríoch대륙continent大陸continentUn continente è una grande area di terra emersa della crosta terrestre, è anzi la più vasta delle ripartizioni con le quali si suddividono le terre emerse.Un continente es una gran área de tierra emergida de la costra terrestre. + + SängerΤραγουδιστήςchanteuramhránaízanger歌手Singera person who sings.ένα άτομο που τραγουδά. + + Baseballsaisonσεζόν του μπέιζμπολsaison de baseballséasúr daorchluichehonkbalseizoenbaseball season + + Cricketmannschaftομάδα κρίκετsquadra di cricketfoireann cuircéidcricketteamクリケットチームcricket team + + Member of a Resistance MovementMitglied einer Widerstandorganisationlid van een verzetsorganisatie + + military aircraftavion militairelegervliegtuigMilitärmaschine + + stadionπαλαίστραarénastadio아레나stadionarenaアリーナarenaAn arena is an enclosed area, often circular or oval-shaped, designed to showcase theater, musical performances, or sporting events. (http://en.wikipedia.org/wiki/Arena)Une aréna désigne une enceinte pouvant accueillir des spectacles, des concerts ou des événements sportifs.(https://fr.wikipedia.org/wiki/Arena) + + Fußball-Liga Saisonπερίοδος κυπέλλου ποδοσφαίρουvoetbalseizoenfutbol ligi sezonusoccer league season + + Verbrecherεγκληματίαςcrimineldelinquentecriminalcoirpeach범죄인crimineelcriminoso犯罪criminal + + Disneyfigurχαρακτήρες της ντίσνευcarachtar DisneyDisneyfiguurdisney character + + Nachnamenazwiskoεπώνυμοnom de famillesloinne성씨achternaamsurname + + ProtocolПротокол + + säugetierssakθηλαστικό ζώοmammifèremammiferomamíferomamachpattedyrzoogdiermamífero哺乳類mammal + + Medizinmédecinegeneeskunde医学MedicineThe science and art of healing the human body and identifying the causes of disease + + Wahlεκλογήélectionelezioneeleccióntoghchán선거verkiezing選挙Election + + Mobiltelefon (Handy)telefon komórkowytéléphone mobileсотавы тэлефонсотовый телефонmobiele telefoonmobile phone + + Kraterκρατήραςcratèrecraterecráitéarkratercrateraクレーターcrater + + Box-Ligaπρωτάθλημα πυγμαχίαςligue de boxelega di pugilatoliga de boxeosraith dornálaíochta권투 리그box competitieボクシングリーグboxing leagueA group of sports teams or fighters that compete against each other in BoxingΜία διοργάνωση στην οποία μεμονωμένοι πυγμάχοι είτε ομάδες πυγμάχων συναγωνίζονται μεταξύ τους με σκοπό την νίκη. + + district water boardwaterschapBezirkwasserwirtschaftsamtConservancy, governmental agency dedicated to surface water management + + radio-controlled racing leagueRC-Renn Ligaligue de courses radio-télécommandéradio bestuurbare race competitieA group of sports teams or person that compete against each other in radio-controlled racing. + + Pilzμύκηταςfungihongosfungasschimmel菌類fungus + + historischer Landancien paystír stairiúilvoormalig landHistorical countryA place which used to be a country. + + Flugzeugsamolotαεροσκάφοςavionaereoaviónaerárthachaviónavionfly飛機비행기vliegtuig航空機aircraft + + Listeλίσταlisteliostalistelijst一覧listA general list of items.une liste d'éléments.Een geordende verzameling objecten.Μια γενική λίστα από αντικείμενα. + + Staatπολιτείαétatstaatstate + + fiktiver Charakterπλασματικός χαρακτήραςpersonnage de fictioncarachtar ficseanúilpersonage (fictie)キャラクターfictional character + + Laubmossβρύοmoussesmuschiocaonachmossen蘚類moss + + TennisligaΟμοσπονδία Αντισφαίρισηςligue de tennissraith leadóigetennis competitieテニスリーグtennis leagueA group of sports teams or person that compete against each other in tennis. + + Biomolekülβιομόριοbiomoléculebiomolecola생체 분자Biomolecuul生体物質Biomoleculeequivalent to http://ccdb.ucsd.edu/NIF/BIRNLex-OBO-UBO.owl#birnlex_22.Een molecuul wat van nature voorkomt in een organisme en gevormd kan worden door organismen.Κάθε μόριο που παράγεται σε έναν ζωντανό οργανισμό. Συνήθως μεγαλομοριακές ενώσεις που χρησιμεύουν στην δομή και στο μεταβολισμό του κυττάρου. Πρωτεΐνες, νουκλεϊνικά οξέα, υδατάνθρακες και λιπίδια. + + BahnhofΣταθμόςgareestaciónstáisiúnстанцияstationestaçãostationPublic transport station (eg. railway station, metro station, bus station).Остановка общественного транспорта (например: железнодорожная станция, станция метро, автостанция). + + Flussποτάμιrivièreabhainnrivierriorivera large natural stream + + AlgorithmAlgoritmeАлгоритм + + OrganisationοργάνωσηorganisationorganizaciónorganizacijaОрганизацияorganisation조직organisatieorganização組織organisation + + Bildimageíomhábilledeafbeelding画像imageA document that contains a visual image + + Comic Charakterχαρακτήρας κινούμενων σχεδίωνpersonnage de bandes dessinées만화애니 등장인물stripfiguur (Amerikaans)personagem de quadrinhosコミックスのキャラクターcomics character + + tempelναόςtempletempioteampalltempeltemple + + Käseτυρίfromageformaggioquesocáisost치즈kaasチーズcheeseA milk product prepared for human consumptionProducto lácteo preparado para el consumo humano + + Reiterιππέαςcavaliermarcachpaardrijderhorse rider + + Ortmiejsceπεριοχήlieulugaráitlekuallocstedplaatslugar立地placeمكانImmobile things or locations.uma localização + + rest arearustplaatsRasthofA rest area is part of a Road, meant to stop and rest. More often than not, there is a filling station + + Embryologieεμβρυολογίαembryologiesutheolaíocht발생학embryologie発生学embryology + + unbekanntάγνωστοςInconnuanaithnidOnbekendBilinmeyen無知Unknown + + Herausgeberεκδότηςéditeureditorfoilsitheoir출판사uitgever出版社publisherPublishing company + + cross-country skierlanglauferSkilangläufer + + storm surgeSturmflutstormvloedEen stormvloed is de grootschalige overstroming van een kustgebied onder invloed van de op elkaar inwerkende krachten van wind, getij en water + + multi volume publicationmehrbändige Publikationmeerdelige publicatie + + DramatikerDramaturgedrámadóirtoneelschrijverPlaywrightA person who writes dramatic literature or drama. + + route of transportationTransportwegVía de transporteA route of transportation (thoroughfare) may refer to a public road, highway, path or trail or a route on water from one place to another for use by a variety of general traffic (http://en.wikipedia.org/wiki/Thoroughfare).Unter Transportwegen (Verkehrswegen) versteht man Verkehrswege, auf denen Güter oder Personen transportiert werden. Dabei unterscheidet man zwischen Transportwegen zu Luft, zu Wasser und zu Lande, die dann für die unterschiedliche Verkehrsarten genutzt werden (http://de.wikipedia.org/wiki/Transportweg). + + sports team seasonSport Team Saisonπερίοδος αθλητικής ομάδαςsport seizoenA season for a particular sports team (as opposed to the season for the entire league that the team is in)μία περίοδος για μία αθλητική ομάδα + + Formel-1 Teamομάδα φόρμουλα 1scuderia formula 1formule 1-teamformula 1 team + + on-site mean of transportationVorortbeförderungsmittelstationair vervoermiddel + + LebenslaufΒιογραφικό σημείωμαCV職務経歴書ResumeA Resume describes a persons work experience and skill set.Een CV (curriculum vitae) beschrijft iemands werkervaring en vaardigheden. + + künstlicher Satellitτεχνητός δορυφόροςsatellite artificielsatailít shaorgakunstmatige satelliet人工衛星ArtificialSatelliteIn the context of spaceflight, an artificial satellite is an artificial object which has been intentionally placed into orbit.Satellit (Raumfahrt), ein künstlicher Raumflugkörper, der einen Himmelskörper auf einer festen Umlaufbahn umrundetΣτο πλαίσιο των διαστημικών πτήσεων, ένας τεχνητός δορυφόρος είναι ένα τεχνητό αντικείμενο το οποίο εκ προθέσεως έχει τοποθετηθεί σε τροχιά.Un satellite artificiel est un objet placé intentionellement en orbite. + + Grünalgeπράσινο φύκοςalgue vertealga verdegroenwieren緑藻green alga + + Skigebietθέρετρο σκιstation de skibaile sciálaskioordski resortΤο θέρετρο σκι χρησιμοποιείται για να περιγράψει έναν τόπο διακοπών με τις απαραίτητες εγκαταστάσεις διαμονής και εξάσκησης του χειμερινού αθλήματος της χιονοδρομίας + + Genreύφοςgéneroseánragenreジャンルgenre + + chemische Substanzχημική ουσίαsubstance chimiquesostanza chimicaceimiceán화학 물질chemische substantiesubstância química化学物質chemical substance + + Leichtathletikαθλητικάathlétismeatletismolúthchleasaíochtatletiek陸上競技athletics + + Denkmalμνημείοmémorialgedenkteken記念碑memorialA monument erected to commemorate a person, an event and/or group. In the case of a person, this might be a grave or tomb. + + Baseballspielerπαίκτης μπέιζμπολjoueur de baseballgiocatore di baseballimreoir daorchluiche야구 선수honkballerjogador de basebol野球選手baseball playerΟ αθλητής (άνδρας ή γυναίκα) που συμμετέχει σε μία ομάδα μπέιζμπολ. + + Medizinerγιατρόςmedicomedicus生命医科学研究者または医師medician + + StraßentunnelΟδική σήραγγαtollán bóthairwegtunnelroad tunnel + + Naturraumφυσική περιοχήrégion naturellenatuurlijke regionatural regionH φυσική περιοχή χρησιμοποιείται για να περιγράψει την έκταση μιας γεωγραφικής περιοχής στην οποία η ανθρωπογενής παρέμβαση είναι ανύπαρκτη μέχρι ελάχιστη + + national football league seasonNFL Saison + + Zooζωολογικός κήποςzoozoodierentuin動物園zoo + + Sorte ( kultivierte Sorte )καλλιεργούμενη ποικιλίαsaothróg재배 품종cultuurgewascultivar (cultivated variety)A cultivar is a plant or grouping of plants selected for desirable characteristics that can be maintained by propagation. A plant whose origin or selection is primarily due to intentional human activity.Een plantensoort die voor menselijk gebruik wordt geteeld en uit wilde planten is veredeld + + burgκάστροchâteaucastellocaisleán성 (건축)kasteelcastleCastles often are, but need not be a military structure. They can serve for status, pleasure and hunt as well. + + Vizeministerpräsidentαντιπρωθυπουργόςvice premier ministrevicepremiervice prime minister + + musikinstrumentΜουσικό Όργανοinstrument de musiquestrumento musicaleInstrumentouirlisGlasbilo악기muziekinstrument楽器InstrumentDescribes all musical instrument + + Bürgermeisterδήμαρχοςmaireburgemeester首長mayor + + Fotografφωτογράφοςphotographefotografofotograaf写真家photographer + + Spezieείδοςespèceespeciesspeiceasartersoort種_(分類学)species + + BankΤράπεζαbanquebancabancobankbanco銀行banka company which main services are banking or financial services. + + Golfplatzγήπεδο γκολφcampo da golfcúrsa gailfgolfbaangolf courseΣε ένα γήπεδο γκολφ οι τρύπες συχνά κρύβουν κινδύνους, που ορίζονται ως ειδικές περιοχές για τις οποίες ισχύουν επιπρόσθετοι κανόνες διεξαγωγής του παιχνιδιού. + + DammφράγμαbarragedigadambadamダムdamΈνα φράγμα είναι μια κατασκευή που εμποδίζει, ανακατευθύνει ή επιβραδύνει την φυσική ροή υδάτων.A dam is part of a landscape infrastructure, like waterworks (canals) or roads, much more than a building, though, of course, it has been built, too. + + Fernsehsenderτηλεοπτικός σταθμόςchaînes de télévisioncanale televisivocanal de televisiónstáisiún teilifísetelevisie zenderテレビジョン放送局television stationA television station has usually one line up. For instance the television station WABC-TV (or ABC 7, Channel 7). Not to be confused with the broadcasting network ABC, which has many television stations.Ένας τηλεοπτικός σταθμός έχει μια παράταξη.Για παράδειγμα ο τηλεοπτικός σταθμός WABC-TV (or ABC 7, Channel 7).Δεν πρέπει να συγχέεται με το τηλεοπτικό δίκτυο ABC,που έχει πολλούς τηλεοπτικούς σταθμούς.Ein Fernsehsender hat normalerweise ein Programm, zum Beispiel der Sender Erstes Deutsches Fernsehen (Das Erste). Nicht zu verwechseln mit der Rundfunkanstalt ARD, welche mehrere Fernsehsender hat. + + country estateLandgutbuitenplaatsA country seat is a rural patch of land owned by a land owner.Een buitenplaats is een landgoed. + + Rennenαγώναςcourserásraceレースrace + + Partyservicetraiteurparty service bedrijf仕出し業者Caterer + + bewohnter Ortπυκνοκατοικημένη περιοχήlieu habitébefolket stedbebouwde omgevingpopulated placeتجمع سكانيAs defined by the United States Geological Survey, a populated place is a place or area with clustered or scattered buildings and a permanent human population (city, settlement, town, or village) referenced with geographic coordinates (http://en.wikipedia.org/wiki/Populated_place).Πυκνοκατοικημένη περιοχή, είναι η περιοχή ή το μέρος με μεγάλο αριθμό κτιρίων και μεγάλο μόνιμο πληθυσμό, σε σύγκριση με την γεωγραφική περιοχή που καταλαμβάνει (μεγαλούπολη, πόλη ή χωριό). + + Radfahrerποδηλάτηςcyclisteciclistarothaícyklist사이클 선수wielrennerciclista自転車選手cyclist + + Rugby-Ligaπρωτάθλημα rugbyligue de rugbysraith rugbaírugby competitierugby leagueA group of sports teams that compete against each other in rugby. + + American-Football-Trainerπροπονητής ράγκμπυentraineur de football américainallenatore di football americanoadestrador de fútbol americanoAmerikaanse football coachamerican football coach + + Fußballvereinklub piłkarskiομάδα ποδοσφαίρουclub de footballequipo de fútbolclub sacairclub de futbolfodboldklubvoetbalclubsoccer club + + Historikerιστορικόςhistorienstoricostaraíhistoricus歴史学者historian + + Asteroidαστεροειδήςastéroïdeasteroideasteroideastaróideach소행성asteroïdeasteróide小惑星asteroid + + Gitarristκιθαρίσταςguitaristechitarristagiotáraíguitaristgitaristギター演奏者guitarist + + Waffeόπλοarmearmvåben무기wapen武器weapon + + Seejezioroλίμνηlaclochозеро호수meerlago호수lake + + Leutnantυπολοχαγόςlieutenantleifteanantluitenanttenente中尉lieutenant + + mineMine (Bergwerk)mijn (delfstoffen))鉱山A mine is a place where mineral resources are or were extractedEen mijn is een plaats waar delfstoffen worden of werden gewonnen + + Buchstabeγράμμαlettrelitirletter文字letterEin Buchstabe des Alphabets.A letter from the alphabet.Ene lettre de l'alphabet. + + topical conceptcoincheap i mbéal an phobailthematisches Konzept + + akademisches Fachdyscyplina naukowasujet académiquedisciplina académicaacademische hoofdstudierichtingacademic subjectGenres of art, e.g. Mathematics, History, Philosophy, MedicineUnha disciplina académica é unha rama do coñecemento que unha comunidade de especialistas desenvolve con metodoloxías de investigación. + + Adligerευγενήςedele高貴なnoble + + LeuchtturmΦάροςphareteach solaisvuurtoren灯台lighthouse + + Mikroregionμικρο-περιφέρειαmicroregiomicrorregiaomicro-regionA microregion is a - mainy statistical - region in Brazil, at an administrative level between a meso-region and a communityΗ μικρο-περιφέρεια χρησιμοποιείται για να περιγράψει, κυρίως στατιστικά, μια περιοχή στη Βραζιλία σε διοικητικό επίπεδο μεταξύ μίας μεσο-περιφέρειας και μίας κοινότητα + + ParlamentsmitgliedΜέλος κοινοβουλίουmembre du Parlementparlementslidmembro do parlamentomember of parliament + + route stophalteHaltestelleétapedesignated place where vehicles stop for passengers to board or alightBetriebsstelle im öffentlichen Verkehr, an denen Fahrgäste ein- und aussteigenune étape ou un arrêt sur une route + + Weinregionrégion viticolewijnstreekワイン産地wine region + + Sonnenfinsternisέκλειψη ηλίουéclipse de soleileclissi solareurú na gréinezonsverduisteringsolar eclipseΈκλειψη ηλίου ονομάζεται το φαινόμενο κατά το οποίο η Σελήνη παρεμβάλλεται ανάμεσα στον Ήλιο και τη Γη, με αποτέλεσμα ορισμένες περιοχές της Γης να δέχονται λιγότερο φως από ό,τι συνήθως. + + WaldforêtskovbosforestA natural place more or less densely grown with trees + + Gottheitbóstwoθεότηταdia이집트 신godheiddeity + + Bahnhofσιδηροδρομικός σταθμόςgarestazione ferroviariastáisiún traenachtreinstation鉄道駅train station + + Dichterποιητήςpoètefiledichter詩人poet + + christlicher Bischofbiskup chrześcijańskiΠληροφορίες Επισκόπουévêque chrétienvescovo cristianoEaspag Críostaí기독교 주교Christelijk bisschopChristian Bishop + + Polo-LigaΟμοσπονδία Υδατοσφαίρισηςligue de polosraith pólópolo competitiepolo leagueA group of sports teams that compete against each other in Polo. + + Auto Racing Leagueπρωτάθλημα αγώνων αυτοκινήτωνla ligue de course automobilelega automobilisticasraith rásaíochta charanna자동차 경주 대회auto race competitie自動車競技リーグauto racing leaguea group of sports teams or individual athletes that compete against each other in auto racingμια ομάδα αθλητικών ομάδων ή μεμονωμένων αθλητών που ανταγωνίζονται μεταξύ τους σε αγώνες αυτοκινήτων + + historischer Ortιστορικός χώροςsite historiqueáit stairiúilplaats van geschiedkundig belanghistoric place + + Tiefeβάθοςprofondeurdybdediepte深度depth + + Britisches KönigshausΒρετανική μοναρχίαroyauté Britanniquereali britanniciBritanska kraljevska oseba영국 왕족Britse royaltyイギリス王室British royalty + + Fernsehmoderatorπαρουσιαστής τηλεοπτικής εκπομπήςanimateur de télévisionpresentatore televisivoláithreoir teilifísetelevisie presentatorテレビ番組司会者television host + + manhuamanhuamanhua中国の漫画manhuaComics originally produced in ChinaAußerhalb Chinas wird der Begriff für Comics aus China verwendet.Manhua is het Chinese equivalent van het stripverhaalΚόμικς που παράγονται αρχικά στην Κίνα + + Wasserturmπύργος νερούChâteau d'eauSerbatoio idrico a torreWatertorenWater towerμια κατασκευή σχεδιασμένη για αποθήκευση μεγάλων ποσοτήτων νερού σε μέρος με κάποια ανύψωση, ώστε να διατηρήσει πίεση στο σύστημα παροχής νερούa construction designed to store larger quantities of water at a place of some elevation in order to keep pressure on the water provision systemune construction destinée à entreposer l'eau, et placée en général sur un sommet géographique pour permettre de la distribuer sous pression + + mythologische Gestaltμυθικό πλάσμαfigura mitologicamythologisch figuurmythological figure + + historischer RegionAncienne régionréigiún stairiúilvoormalige regioHistorical regiona place which used to be a region. + + Gebäudeκτίριοbâtimentedificioedificiofoirgneamhstavbabygning건축물gebouw建築物buildingBuilding is defined as a Civil Engineering structure such as a house, worship center, factory etc. that has a foundation, wall, roof etc. that protect human being and their properties from direct harsh effect of weather like rain, wind, sun etc. (http://en.wikipedia.org/wiki/Building).Ein Gebäude, umgangssprachlich auch oft als Haus bezeichnet, ist ein Bauwerk, das Räume umschließt, betreten werden kann und zum Schutz von Menschen, Tieren oder Sachen dient (http://de.wikipedia.org/wiki/Geb%C3%A4ude). + + Astronautαστροναύτηςastronauteastronautaastronautaspásaire우주인ruimtevaarderastronauta宇宙飛行士astronaut + + mixed martial arts leaguesraith ealaíona comhraic meascthaMixed Kampfkunst Ligaligue d'arts martiaux mixtesa group of sports teams that compete against each other in Mixed Martial Arts + + moving imageBewegtbilderbewegend beeldA visual document that is intended to be animated; equivalent to http://purl.org/dc/dcmitype/MovingImage + + term of officeAmtsdauermandatambtstermijn + + ancient area of jurisdiction of a person (feudal) or of a governmental bodygebied dat vroeger onder het gezag viel van een heer of vrouwe of een instelling van kerk of staatMostly for feudal forms of authority, but can also serve for historical forms of centralised authority + + Verwaltungsregionδιοικητική περιφέρειαrégion administrativeregione amministrativaréigiún riaracháinrexión administrativa行政區관리 지역bestuurlijk gebied行政区画administrative regionA PopulatedPlace under the jurisdiction of an administrative body. This body may administer either a whole region or one or more adjacent Settlements (town administration) + + Bodybuilderculturisteculturista보디빌더bodybuilderbodybuilder + + Singlesinglesinglesingil싱글singleシングルsingleIn music, a single or record single is a type of release, typically a recording of fewer tracks than an LP or a CD. + + Softball Ligaπρωτάθλημα σόφτμπολligue de softballsraith bogliathróidesoftball competitiesoftball leagueA group of sports teams that compete against each other in softball.Ομάδες που ανταγωνίζονται στο αγώνισμα του σόφτμπολ. + + Kasinoκαζίνοcasinocasinòcasino카지노casinoカジノcasinoIn modern English, a casino is a facility which houses and accommodates certain types of gambling activities.To καζίνο είναι ένας χώρος στον οποίο μπορούμε να παίξουμε τυχερά παιχνίδια ποντάροντας χρήματα.Un casino est un lieu proposant des jeux d'argent et de hasard ou jeux de casino. + + Karikaturσατυρικό σκίτσοdessin animécartone animatocartún카툰 (만화)spotprentカートゥーンcartoon + + Wettbewerbδιαγωνισμόςconcourscomórtaswedstrijdコンテストcontest + + Raumfahrzeugδιαστημόπλοιοvaisseau spatialspásárthach우주선ruimtevaartuig宇宙機spacecraft + + Radiomoderatorοικοδεσπότης ραδιοφώνουláithreoir raidióradiopresentatorradio host + + mixed martial arts eventimeacht ealaíona comhraic meascthaMixed Kampfkunst Veranstaltungévènement d'arts martiaux mixtes + + Videospielβιντεοπαιχνίδιjeux vidéovideojuegofíschluichecomputerspil비디오 게임videospelvideojogoテレビゲームvideo gameA video game is an electronic game that involves interaction with a user interface to generate visual feedback on a video device. + + Gouverneurκυβερνήτηςgouverneurgobharnóirgouverneur知事governor + + GewerkschaftΚουτί πληροφοριών ένωσηςsyndicat professionnelceardchumannvakbondtrade unionA trade union or labor union is an organization of workers who have banded together to achieve common goals such as better working conditions. + + Amtsinhaberκάτοχος δημόσιου αξιώματοςtitulairecargo público공직자ambtsdrageroffice holder + + Typτύποςrégime de classificationcineáltypetypea category within a classification systemcategorie binnen een classificatiesysteem + + militärisches BauwerkΣτρατιωτική Δομή군사 건축물militair bouwwerkmilitary structureA military structure such as a Castle, Fortress, Wall, etc. + + DokumentέγγραφοdocumentdocumentocáipéisdokumentdocumentドキュメントdocumentAny document + + Cricket-Ligaκύπελλο κρικετligue de cricketliga de cricketsraith cruicéid크리켓 대회cricket competitieクリケットリーグcricket leaguea group of sports teams that compete against each other in Cricket + + Rugby-Clubομάδα ράγκμπιclub de rugbyclub rugbaírugby clubrugby club + + BergketteΟροσειράchaîne de montagne산맥bergketencadeia montanhosamountain rangea chain of mountains bordered by highlands or separated from other mountains by passes or valleys. + + Australian Rules Football-Spielerαυστραλιανοί κανόνες ποδοσφαιριστήgiocatore di football australiano오스트레일리아식 풋볼 선수Australian football-spelerオージーフットボール選手Australian rules football player + + Basketballspielerπαίκτης καλαθοσφαίρισηςjoueur de basketballgiocatore di pallacanestroBasquetbolistaimreoir cispheile농구 선수basketbal spelerバスケットボール選手basketball playerΈνας αθλητής (άνδρας ή γυναίκα) που ασχολείται με το άθλημα της καλαθοσφαίρισης. + + Kanzlerκαγκελάριοςchanceliercancellierecancillerseansailéir재상kanselierchanceler宰相chancellor + + Rechtsfallνομική υπόθεσηcas juridiquerechtzaakcaso jurídicoLegal Case + + Krebstierαστρακόδερμοcrustacéscrústach갑각류schaaldier甲殻類crustacean + + Rundfunkveranstalterεκφωνητήςdiffuseuremittentecraoltóir방송omroep放送事業者broadcasterA broadcaster is an organisation responsible for the production of radio or television programs and/or their transmission. (http://en.wikipedia.org/wiki/Broadcaster - 28/03/2011)Ο ραδιοτηλεοπτικός φορέας είναι ένας οργανισμός που είναι υπεύθυνος για την παραγωγή ραδιοφωνικών ή τηλεοπτικών προγραμμάτων και / ή τη διαβίβασή τουςEin Rundfunkveranstalter (oder auch Sendeunternehmen) betreibt Hörfunk- oder Fernsehprogramme. (http://de.wikipedia.org/wiki/Rundfunkveranstalter - 28/03/2011) + + music directordirigentDirigentchef d'orchestreA person who is the director of an orchestra or concert band. + + Palmfarnφοινικόθαμνοςcycadophytescíocáid소철류cycadeeëncicadáceaソテツ門cycad + + political party of leaderpolitische Partei des VorsitzendenThe Political party of leader. + + distance laps + + speakernumber of office holder + + britishOpen + + other occupation + + ONS ID (Office national des statistiques) Algeria + + city typetype stadτύπος + + shuttle + + eye colourAugenfarbe + + rankingRangliste + + sub-classisonderklassea subdivision within a Species classis + + long distance piste number + + year of electrificationгодина електрификацијеJahr der ElektrifizierungYear station was electrified, if not previously at date of opening.Година када је станица електрифицирана, уколико није била при отварању. + + last seasonΠροηγούμενη Περίοδος + + minimum temperature (K)geringste Temperatur (K)ελάχιστη θερμοκρασία (K) + + wpt itmWPT ITM + + illustratorIllustratorillustratorillustrateurIllustrator (where used throughout and a major feature) + + Parents Wedding Dateдатум венчања родитељаHochzeitstag der Elterndata do casamento dos pais + + other mediaandere Medien + + number of district + + fastest driverschnellster Fahrerταχύτερος οδηγός + + date actαπόφαση_διάνοιξης + + MedlinePlusMedlinePlus + + external ornament + + minorityMinderheit + + referenceReferenzStructured reference providing info about the subject + + massifMassiv + + British Comedy AwardsBritish Comedy AwardsΒρετανικά Βραβεία Κωμωδίας + + Höheапсолутна висинаυψόμετροaltitudealtitudhoogte標高altitude + + ORPHAORPHAORPHAORPHA + + first launch rocket + + source confluence country + + state of origin point + + MBA IdMusicBrainz is an open music encyclopedia that collects music metadata and makes it available to the public. + + title language + + launch + + other serving linesandere verbindingenandere VerbindungenConnecting services that serve the station such as bus, etc. + + largest metro + + first ownererster Besitzerpremier propriétaireprimer dueño + + Speziesespècesoort種_(分類学)species + + management region + + local phone prefixlokale Vorwahl + + bicycle informationFahrradinformationenInformation on station's bicycle facilities. + + grid referencecoördinaten + + wins at Senior Euro + + Dutch COROP code + + historical regionhistorische Region + + number of staffPersonalbestandαριθμός προσωπικούaantal medewerkers + + gym apparatusFitnessgerät + + national tournament bronze + + original nameursprünglicher Namenoorspronkelijke naamThe original name of the entity, e.g. film, settlement, etc. + + senatorSenatorsenador + + former call sign + + ept final table + + missionMissionαποστολή + + The URL at which this file can be downloaded + + cca state + + surface gravity (g) + + attorney generalGeneralstaatsanwaltprocureur-generaalPublic attorneyde procureur-generaal + + gnis code + + maiden flight rocket + + race trackRennstreckecircuit + + load limit (g)Belastungsgrenze (g)Load limit of the bridge. + + school code + + number of bombsAnzahl der Bombenαριθμός των βομβών + + number of all indegrees in dbpedia (same ourdegrees are counting repeatedly)počet indegree odkazů v dbpedii (stejné započítané opakovaně) + + maximum preparation time (s)Maximum preparation time of a recipe / Food + + TheologyTheologieΘεολογία + + jurisdictionZuständigkeitJurisdiction is the practical authority granted to a formally constituted legal body or to a political leader to deal with and make pronouncements on legal matters and, by implication, to administer justice within a defined area of responsibility.Die Zuständigkeit oder Kompetenz legt im öffentlichen Recht fest, welche Behörde bzw. welches Gericht im Einzelfall rechtlich zu hoheitlichem Handeln ermächtigt und verpflichtet ist. + + number of locationsAnzahl der Standortenombre de sites + + gross domestic product nominal per capita + + service end date + + population percentage male + + digital sub channel + + percentageProzentpercentage + + first air dateSendebeginnThe date on which regular broadcasts began. + + non professional career + + maximum boat length (μ)μέγιστο_μήκος_πλοίου (μ) + + guestGastεπισκέπτης + + Anzahlαριθμόςnummer番号numberJersey number of an Athlete (sports player, eg "99") or sequential number of an Album (eg "Third studio album") + + mass (g)Masse (g)μάζα (g) + + broadcast repeaterεπαναληπτική αναμετάδοση + + participantdeelnemerTeilnehmer + + Fackelträgertorch bearer + + copiloteCopilot + + Formatformatformatformatformáidformaatformat (object)Format of the resource (as object). Use dct:format for literal, format for object + + motherMutter + + second commanderzweiter Kommandant + + number of districtsAnzahl der Bezirkejumlah kecamatan + + amateur titleAmateurtitelаматерска титула + + localization of the island + + spokespersonSprecherporta-voz + + royal anthem + + subject of playThe overall subject matter dealt with by the play. + + observatoryObservatoriumαστεροσκοπείοεπιστημονικά ιδρύματα που παρατηρούν και μελετάνε ουράνια σώματα και φαινόμενα. + + historical namehistorischer Name + + target airport + + duration (s)Dauer (s)duur (s)The duration of the item (movie, audio recording, event, etc.) in ISO 8601 date format + + sport countrySportnationThe country, for which the athlete is participating in championshipsDas Land, für das der Sportler an Wettkämpfen teilnimmt + + Temporary Placement in the Music Chartsvorläufige Chartplatzierung + + numberOfRedirectedResourcenumber of redirected resource to another onepočet redirectů - zdrojů přesměrovaných na jiný zdroj + + aircraft patrolπεριπολία αεροσκάφους + + music fusion genre + + networkSendergruppeδίκτυο + + ICD9ICD9ICD9 + + shoot + + geneReviewsName + + eparchyепархияmetropoleisCompare with bishopric + + Bronzemedaillengewinnerχάλκινο μετάλλιοbronzen medaille dragermedalha de bronzebronze medalist + + derived wordabgeleitetes Wort + + Taillenumfang (μ)димензије струка (μ)размер талия (μ)ウエスト (μ)waist size (μ) + + code bookGesetzbuchwetboekcode book or statute book referred to in this legal case + + followed bygefolgt vonsuivi parsiguido de + + Untertitelυπότιτλοςonderschriftlegendasubtitle + + Dorlands suffix + + schuleσχολείοécolescuolaschoolschoolschool a person goes or went toσχολείο στο οποίο πηγαίνει ή πήγε κάποιος + + child organisationdochterorganisatie + + Gewicht (g)тежина (g)βάρος (g)poids (g)vægt (g)gewicht (g)peso (g)体重 (g)weight (g) + + membershipMitgliedschaftlidmaatschap + + last launch dateletzter Starttermin + + australia open mixed + + flag Link + + monarchMonarchmonarch + + FAA Location Identifier + + area quote + + Elternteilparentouderparent + + последња година активних годинаενεργά χρόνια τέλος του χρόνουactieve jaren eind jaar引退年active years end year + + bioclimateBioklima + + is handicapped accessibleist rollstuhlgerechtTrue if the station is handicapped accessible. + + Alps subgroupυποομάδα των άλπεωνsottogruppo alpinoАлпска подгрупаthe Alps subgroup to which the mountain belongs, according to the SOIUSA classification + + constructionκατασκευήKonstruktion + + notable workoeuvre majeure代表作bekende werkenNotable work created by the subject (eg Writer, Artist, Engineer) or about the subject (eg ConcentrationCamp) + + supplemental draft year + + spur of + + volcanic activityvulkanische Aktivitätвулканска активност + + Verwaltungsgemeinschaftадминистративна заједницаδιοικητική συλλογικότηταadministratieve gemeenschapadministrative collectivity + + chief editorChefredakteurhoofdredacteur + + collectivity minority + + education placeBildungsstätte + + veinVeneвена + + SUDOC idSystème universitaire de documentation id (French collaborative library catalog). +http://www.idref.fr/$1 + + Verwandterσυγγενήςparente親戚relative + + failed launches + + power type + + data wydaniaημερομηνία κυκλοφορίαςudgivetrelease datumrelease dateRelease date of a Work or another product (eg Aircraft or other MeansOfTransportation + + military unit sizethe size of the military unit + + autorautorσυγγραφέαςauteurúdarавторautorauteur作者author + + moodStimmung + + ncaa team + + fateSchicksal + + organisationOrganisation + + IOBDB IDLortel Archives Internet Off-Broadway database "show id" from lortel.org. + + memorial ID numbercode gedenktekenIdentifier for monuments of the Memorial typeCode oorlogsmonument of ander gedenkteken + + museumTypesoort museumThis property has been added because 'buildingType' is much more about the place, whereas 'museumType' is about the way the place is being (or:was) usedNieuw type is nodig omdat Museum eigenlijk geen subklasse van Building is, maar meer te maken heeft met de functie van het gebouw. 'Museumtype' is dan ook meer thema- en collectiegerelateerd + + US salesUS-Verkäufeпродаја у САДNumber of things (eg vehicles) sold in the US + + subdivisions + + has junction withσύνδεση + + order in office + + registryRegisterregistreA registry recording entires with associated codes.Ein Register welches Einträge mit Kennungen versieht. + + word before the countryреч пре државе + + subtribusonderstam + + junior team + + opponentsGegner"opponent in a military conflict, an organisation, country, or group of countries. " + + Serieσειράsériereeksseries + + newspaperZeitung + + list itemlijst itemsαντικείμενο λίστας + + DiseasesDBDiseasesDBDiseasesDBDiseasesDB + + spacewalk endEnde Weltraumspaziergang + + mentorMentormentorA wise and trusted counselor or teacherCelui qui sert de guide, de conseiller à quelqu’un. + + approximate calories (J)ungefähre Kalorien (J)κατά προσέγγιση θερμίδες (J)приближно калорија (J)Approximate calories per serving.Kατά προσέγγιση θερμίδες ανά μερίδα. + + number builtAnzahl gebautaantal gebouwd + + opening dateημερομηνία ανοίγματοςdate d'ouvertureEröffnungsdatum + + draft position + + date useέναρξη_χρήσης + + Stadtmiastoπόληvillecathairbystadcity + + rural municipalityLandgemeinde + + reviewRezension + + circulationoplageκυκλοφορίαciorclaíocht + + total population referencereferencia do total da populacao + + venerated inпоштован уvereerd in + + productionProduktion + + Human Development Index (HDI)Index für menschliche Entwicklung (HDI)Índice de Desenvolvimento Humano (IDH)a composite statistic used to rank countries by level of "human development" + + Beschleunigung (s)przyspieszenie (s)убрзање (s)επιτάχυνση (s)luasghéarú (s)acceleració (s)acceleratie (s)acceleration (s) + + Einwohnerzahlσυνολικός_πληθυσμόςpopulation totaleinwonersaantalpopulação totalpopulation total + + number of platform levelsNumber of levels of platforms at the station. + + media typeMedientypmediatypePrint / On-line (then binding types etc. if relevant) + + generation units + + Gemini Award + + engine powermotorvermogenPower to be expressed in Watts (kiloWatt, megaWatt) + + former broadcast networkehemalige Sendergruppeancienne chaîne de télévision généralisteA former parent broadcast network to which the broadcaster once belonged.Eine ehemalige Sendergruppe zu dem der Rundfunkveranstalter gehört hat. + + Gray subjectRefers to the famous 1918 edition of Gray's Anatomy. + + plantPflanzeφυτό植物 + + sister station + + Jahreсезонаχρόνιαseizoenyears + + number of stationsAnzahl der StationenNumber of stations or stops. + + MeSH IDMeSH ID + + Link from a Wikipage to a Wikipage in a different language about the same or a related subject.Reserved for DBpedia. + + mandate of a prefect of a romanian settlement + + serving size (g)Default serving size (eg "100 g" for the standard 100 g serving size). approximateCalories apply to this serving size + + boxing styleBoxstil + + Fläche (m2)област (m2)έκταση (m2)superficie (m2)oppervlakte (m2)área (m2)area (m2)The area of the thing in square meters. + + type of tennis surfacetype de surface (tennis)tipo de surperficie(tennistype speelgrondThere are five types of court surface used in professional play. Each surface is different in the speed and height of the bounce of the ball. + + wsop wristbandWSOP наруквицаНаруквица коју осваја шампион WSOP-a. + + international phone prefixinternationale Vorwahl + + nameName + + human development index rank + + share of audienceAnteil der Zuschauer/Zuhörer + + wine regionWeinregionрегион вина + + broadcast station classαναμετάδοση ραδιοφωνικού σταθμού + + honoursEhrungenδιακρίσειςeerbewijzenHonours bestowed upon a Person, Organization, RaceHorse, etc + + gegründet vonzałożony przezfondé para bhunaighgesticht doorfounded byIdentifies the founder of the described entity. This can be a person or a organisation for instance. + + kindOfLanguage + + Contains a WikiText representation of this thing + + previous namefrüheren Namenvorige naam + + first mentionerste Erwähnung + + Zensusjahrέτος απογραφήςannée de recensementaño de censocensus year + + percentage of a place's female population that is literate, degree of analphabetismpercentage van de vrouwelijke bevolking dat geletterd is + + nfl season + + fibahof + + identification symbol + + opening yearopeningsjaarEröffnungsjahr + + cemeterykerkhofcimetièreFriedhof + + main islandHauptinsel + + millsCodeNLWindmotorenmillsCodeNLWindmotoren + + depiction description (caption)This property can be used to map image captions from Infoboxes + + number of seats in the land parlement + + collaborationσυνεργασίαZusammenarbeit + + iso code of a community + + election date leaderWahldatum des VorsitzendenThe date that leader was elected. + + population metro + + causalties + + designerσχεδιαστής + + taste or flavourGeschmack oder Aromasmaak + + minority floor leadernumber of office holder + + start xct + + conservation status保全状況 + + blood groupομάδα αίματοςBlutgruppe + + current record + + project keywordA key word of the project. + + lowest placelieu le plus bas + + analog channelAnalogkanalαναλογικό κανάλιаналогни канал + + gold medal double + + Regierungsparteiκόμμα_αρχηγούregeringspartijpartido do liderleader party + + number of houses present)Anzahl der vorhandenen Häuseraantal huizen aanwezigCount of the houses in the Protected AreaAantal huizen in afgegrensd gebied + + WoRMSWoRMSWorld Register of Marine Species + + scheinbare Helligkeitпривидна звездана величинаφαινόμενο μέγεθοςвидимая звёздная величинаapparent magnitude + + single rankingsEinzelrangliste + + trainer club + + literary genreliterair genreliterarische GattungA literary genre is a category of literary composition. Genres may be determined by literary technique, tone, content, or even (as in the case of fiction) length. + + cloth size + + lymph + + complexioncor da pele + + eMedicine topiceMedicine topicDifferent from eMedicineSubject, which see + + information name + + mouth region + + world tournament bronzeброј бронзаних медаља са светских турнира + + start career + + primogenitor, first forebearstamvader + + size_vμέγεθος + + free prog score + + numberOfTriplesnumber of triples in DBpedia + + Bevölkerungsdichte (/sqkm)πυκνότητα_πληθυσμού (/sqkm)bevolkingsdichtheid (/sqkm)population density (/sqkm)घनत्व (/sqkm) + + channelKanalκανάλιkanaal + + OCLCOnline Computer Library Center number + + first driver country + + infant mortalitySäuglingssterblichkeitmortalidade infantil + + parking informationParkplatzinformationenInformation on station's parking facilities. + + siler medalistSilbermedaillengewinnermedalha de pratazilveren medaille drager + + apprehendedgefasst + + free danse score + + radio stationradiozender + + Messier nameName for Messier objects + + lchf draft team + + block alloyκράμα μετάλλου + + general council + + home stadiumHeimstadion + + world team cupсветско клупско првенство + + lower age + + caused byπροκαλείται απόcasus + + sixth form studentsSchüler der Oberstufe + + sourceQuelleπηγή + + assets ($)Aktiva ($)περιουσιακά στοιχεία ($)Assets and liabilities are part of a companis balance sheet. In financial accounting, assets are economic resources. Anything tangible or intangible that is capable of being owned or controlled to produce value and that is held to have positive economic value is considered an asset.Περιουσιακά στοιχεία και υποχρεώσεις αποτελούν μέρος του ισολογισμού μιας εταιρείας.Σε χρηματοοικονομική λογιστική,τα περιουσιακά στοιχεία είναι οι οικονομικοί πόροι. Οτιδήποτε ενσώματο ή άυλο, που είναι ικανό να ανήκει ή να ελέγχεται για να παράγει αξία και που κατέχεται για να έχει θετική οικονομική αξία θεωρείται ένα περιουσιακό στοιχείο. + + type of electrificationArt der ElektrifizierungElectrification system (e.g. Third rail, Overhead catenary). + + service numberThe service number held by the individual during military service. + + statisticstatistisch + + a municipality's present nameheutiger Name einer Gemeindehuidige gemeentenaam + + fourth commander + + project objectiveProjektzielA defined objective of the project. + + code of the departmentdepartementcode + + архитектонски стилαρχιτεκτονικό στυλstyle architecturalархитектурный стильbouwstijlarchitectural style + + number of seatsAnzahl der Sitzeaantal plaatsen + + protestant percentage + + dissolution dateontbindingsdatum + + nmberOfResourceWithTypenumber of resource in DBpedia with Class type (= Class entity) + + original start pointursprünglicher Ausgangspunktπρωταρχική_αρχή + + target space station station + + polesPolepôle + + founderGründerΙδρυτήςEin Gründer oder Gründungsmitglied einer Organisation, Religion oder eines Ortes. + + Haarfarbekolor włosówdath na gruaigecor do cabelohair color + + region link + + ending theme + + number of restaurantsAnzahl der Restaurantsαριθμός εστιατορίων + + emblem + + tieUnentschieden + + available smart cardbenutzbare Chipkarteδιαθέσιμη έξυπνη κάρταSmartcard for fare payment system for public transit systems that are or will be available at the station.Chipkarte für automatische Bezahlsysteme im Personenverkehr die an diesem Bahnhof benutzt werden kann.Έξυπνη κάρτα για το σύστημα πληρωμής των ναύλων για τα δημόσια συστήματα μεταφορών που είναι ή θα είναι διαθέσιμα στο σταθμό. + + vice principalзаменик директора + + feature + + colour hex codeFarben Hex CodeA colour represented by its hex code (e.g.: #FF0000 or #40E0D0) + + prefecturePräfektur + + GenregatunekείδοςgenregénerogenreジャンルgenreThe genre of the thing (music group, film, etc.) + + source confluencelugar de nacimientoπηγές + + wheelbase (μ)Radstand (μ)међуосовинско растојање (μ) + + formation dateformatie datumΙδρύθηκε + + course (μ) + + year of creationέτος δημιουργίαςEntstehungsjahrjaar van creatie + + citesA document cited by this work. Like OntologyProperty:dct:references, but as a datatype property. + + named by language + + norwegian landskap + + notable studentσημαντικοί_φοιτητές + + mouth elevation (μ)ύψος_εκβολών (μ) + + Präsidentπρόεδροςprésidentpresidentpresidentepresident + + story editor + + former choreographerehemaliger Choreograph + + related functionssoortgelijke functiesThis property is to accommodate the list field that contains a list of related personFunctions a person holds or has heldDeze property is voor de lijst van persoonfuncties die een persoon (bv. een politicus) bekleedt of heeft bekleed + + pcc secretary + + sports function + + numberOfClassesWithResourcenumber of class in DBpedia with atleast single resource (class entity) + + model start date + + particular sign + + name in Minnanyu Chinesenaam in Minnanyu Chinees + + MeSH name + + coaching record + + daylight saving time zoneSommerzeitzone + + damHirschkalb + + subsequent infrastructurespätere Infrastrukturvolgende infrastructuur + + number of gravesAnzahl der Gräberaantal graven + + photographerFotograf + + population percentage under 12 years + + commissioner date + + numberOfUniqeResourcesnumber of unique resource without redirecting + + programme formatThe programming format describes the overall content broadcast on a radio or television station. + + UN/LOCODEUN/LOCODEUN/LOCODE, the United Nations Code for Trade and Transport Locations, is a geographic coding scheme developed and maintained by United Nations Economic Commission for Europe (UNECE), a unit of the United Nations. UN/LOCODE assigns codes to locations used in trade and transport with functions such as seaports, rail and road terminals, airports, post offices and border crossing points.UN/LOCODE је код Уједињених нација за трговинске и транспортне локације. Као што су луке, железнички и путни терминали, аеродроми, поште и гранични прелази. + + volume quote + + Different usage of an airportUnterschiedliche Nutzung eines Flughafensοι χρήσεις ενός αεροδρομίου + + product shape + + ηθοποιοίacteurskuespilleremet in de hoofdrolstarring + + NRHP Reference Number + + century breaksCentury Breaksnumber of breaks with 100 points and moreAnzahl Breaks mit 100 Punkten oder mehr, wird nicht übersetzt + + subsidiarytreinadorfiliale + + free prog competition + + bishopricархиерейско наместничествоA bishopric (diocese or episcopal see) is a district under the supervision of a bishop. It is divided into parishes. Compare with eparchy + + influencedbeeinflussta influencéεπηρέασεThe subject influenced the object. inverseOf influencedBy. Subject and object can be Persons or Works (eg ProgrammingLanguage) + + picture formatBildformat + + showSendungspectacle + + playsslaghand + + area land (m2)oppervlakte land (m2)έκταση_στεριάς_περιοχής (m2)површина земљишта (m2) + + most winsdie meisten Siege + + active years end year manager + + main interest + + portfolioPortfolio + + GARDNameGARDNameGARDNameGARDName + + musiciansMusikerμουσικοί + + student + + number of speakersaantal sprekersAnzahl Sprecher + + Standortlokalizacjaτοποθεσίαemplacementlocatielocalização所在地locationThe location of the thing. + + explorerErforscherkaşif + + blazonWappenblasonемблемаCoat of arms (heraldic image) or emblem + + snow park number + + dist_ly + + number of starsAnzahl der Sterne + + setup time (s) + + match point + + vice leader partystellvertretender Parteivorsitzendepartido do vicelider + + parliamentParlament + + league championLiga-Meisterşampiyon + + throwing side + + last launchletzter Start + + Character size of wiki pageNeeds to be removed, left at the moment to not break DBpedia Live + + hip size (μ)Hüftumfang (μ)heupomvang (μ)ヒップ (μ) + + authority title of a romanian settlement + + collectionSammlungσυλλογή + + water percentage of a placeWasseranteil von einem Ortпроценат воде неког места + + last raceletztes Rennenτελευταίος αγώνας + + serving temperatureServing temperature for the food (e.g.: hot, cold, warm or room temperature). + + Originalsprachelangue originaleidioma originaloorspronkelijke taaloriginal languageThe original language of the work. + + recommissioning date + + librettolibretto + + unicodeUnicodeunicodeτο διεθνές πρότυπο Unicode στοχεύει στην κωδικοποίηση όλων των συστημάτων γραφής που χρησιμοποιούνται στον πλανήτη. + + world openсветско отворено првенство + + amateur tie + + medicationmédicationMedikation + + makeup artisttruccatorethe person who is responsible for the actors makeup + + name in latinlateinische Namelatijnse naam + + pole driver team + + differential diagnosisdiagnostic différentielDifferentialdiagnose + + agglomerationагломерација + + visitors per yearгодишњи број посетилацаbezoekers per jaarBesucher pro Jahr + + branch toυποκατάστημα + + ofs code of a settlementIdentifier used by the Swiss Federal Institute for Statistics + + brain info numberαριθμός νοητικής πληροφόρησης + + organorgelName and/or description of the organNaam en/of beschrijving van het orgel + + Block des Periodensystemsblok układu okresowegoблок периодической таблицыbloc de la taula periòdicaelement blockA block of the periodic table of elements is a set of adjacent groups.La taula periòdica dels elements es pot dividir en blocs d'elements segons l'orbital que estiguen ocupant els electrons més externsAls Block im Periodensystem werden chemische Elemente nach den energiereichsten Atomorbitalen ihrer Elektronenhülle zusammengefasst.совокупность химических элементов со сходным расположением валентных электронов в атоме. + + Alps sectionτμήμα των άλπεωνАлпска секцијаsezione alpinathe Alps section to which the mountain belongs, according to the SOIUSA classification + + relationBeziehungσχέσηrelatie + + Anzahl der Enthaltungen nach der AbstimmungΑριθμός αποχών μετά από ψηφοφορίαstaonadhAantal onthoudingenabstentionsNumber of abstentions from the votean líon daoine a staon ó vótáil + + city since + + Laurence Olivier Award + + cargo gas (g) + + CMP EVA duration (s) + + cargo water (g) + + function end date + + foundation placeGründungsort + + supertribusbovenstam + + Enddatumdate de finfecha de fineinddatumend dateThe end date of the event. + + marchMarschmarcha + + used in warim Krieg eingesetztкоришћено у ратуwars that were typical for the usage of a weapon + + wins at JLPGAпобеде на JLPGA + + Link to the Wikipage edit URLReserved for DBpedia. + + number of deathsTotenzahlAantal doden + + ICAO Location IdentifierΙΚΑΟ + + last publication dateletztes VeröffentlichungsdatumDate of the last publication. + + automobile modelAutomobilmodellμοντέλο αυτοκινήτου + + Dutch PPN codeDutch PPN code is a library cataloguing code for collection items (books, journals and the like).Dutch PPN code is in de Nederlandse bibliotheekwereld een cataloguscode (PICA) voor items in de collectie. + + distributing label + + third placedritter Platz + + number of participating nationsAnzahl der teilnehmenden Nationen + + car number + + perimeter (μ)omtrek (μ) + + champion in singlekampioen enkelspelchampion en simpleCampeón en simplewinner of a competition in the single session, to distinguish from the double session (as in tennis) + + victims (string)die Opfer (string)жртви (string)Type, description, or name(s) of victims of a ConcentrationCamp, Criminal, SerialKiller, or some other atrocity + + lowestχαμηλότερο + + aircraft userFlugzeugnutzerχρήστης αεροσκάφουςusuario del avión + + active years start year manager + + number of lanesAnzahl der Fahrstreifennombre de voies + + animatorανιμέιτορаниматор + + Ideologieιδεολογίαideologieideologiaideology + + epochmoment in time used as a referrence point for some time-vaying astronomical quantity + + The extension of this file + + virtual channelвиртуелни каналεικονικό κανάλι + + aircraft bomberавион бомбардерβομβαρδιστικό αεροσκάφος + + election majoritynumber of votes the office holder attained + + national ranking + + NNDB id + + chair label + + order date + + voice typeStimmlageтип гласаstemtypevoice type of a singer or an actor + + varietalsRebsorten + + former partnerehemaliger Partner + + locus supplementary data + + escalafon + + end pointEndpunktσημείο_τέλους + + motiveMotiv + + fieldFeld + + regionRegion + + fastest lapταχύτερος γύροςschnellste Runde + + enshrined deity祭神 + + related mean of transportation + + pole driver + + land percentage of a place + + lowest region + + sheading + + modelModellmodèle + + originally used forursprünglich verwendet füroorspronkelijk gebruikOriginal use of ArchitecturalStructure or ConcentrationCamp, if it is currently being used as anything other than its original purpose. + + Wikipage redirectReserved for DBpedia. + + Dutch PPN codeDutch Winkel ID is a code for an underground publication, as attributed by Lydia Winkel's work on the underground WW II press in the Netherlands.Dutch Winkel ID is een code toegekend door Lydia Winkel in haar boek over De Ondergrondse Pers 1940-1945. + + Has KML data associated with it (usually because of KML overlays) + + last flight start date + + aircraft interceptorαναχαίτιση αεροσκάφουςавион пресретач + + borderGrenzeσύνορα + + bed countaantal beddenAnzahl Bettenαριθμός κρεβατιών + + service module + + speed limit (kmh)Tempolimit (kmh) + + best wsop rank + + restore dateημερομηνία ανακαίνισης + + unesco + + batting sideSchlagarm + + vastest lakeλίμνη + + team nameTeamnameόνομα ομάδας + + red ski piste number + + classesKlasseτάξεις + + schriftstellerписацσεναριογράφοςscrittoreschrijverwriter + + big pool record + + mean radius (μ)durchschnittlicher Radius (μ)μέση ακτίνα (μ) + + country top level (tld)domínio de topo (tld)domaine de premier niveau (tld) + + size logo + + number of doctoral studentsAnzahl der Doktoranden + + best ranking finishbeste Platzierung im Ranglistenturnier + + Staatstanνομόςstaatstate + + HymneхимнаύμνοςгимнvolksliedhinoanthemOfficial song (anthem) of a PopulatedPlace, SportsTeam, School or other + + nationNation + + ICAO codeICAO designation for airline companies + + doctoral advisorDoktorvaterδιδακτορικός_σύμβουλος + + third driver country + + building end dateΗμερομηνία λήξης κατασκευήςBuilding end date of an ArchitecturalStructure, man-made Lake, etc. For older structures this can be just a year or century, for newer structures an exact date is preferred + + number of postgraduate students + + impact factorImpact FactorThe impact factor, often abbreviated IF, is a measure reflecting the average number of citations to articles published in science and social science journals.Der Impact Factor oder genauer Journal Impact Factor (JIF) einer Fachzeitschrift soll messen, wie oft andere Zeitschriften einen Artikel aus ihr in Relation zur Gesamtzahl der dort veröffentlichten Artikel zitieren. Je höher der Impact Factor, desto angesehener ist eine Fachzeitschrift. + + licenseeLizenzinhaberIdentify which company or entity holds the licence (mostly string are used in Wikipedia, therefore range is xsd:sting). + + discontinued + + LandkarteχάρτηςcartekaartmapamapA map of the place.Χάρτης μιας περιοχής.Eine Landkarte des Ortes. + + land + + major islandgroße Inselmaior ilha + + green long distance piste number + + tessitura + + champion in double femalechampion en double femmesCampeón en doble mujereswinner of a competition in the female double session (as in tennis) + + undrafted year + + region servedwerkgebied + + monument code (municipal)monumentcode gemeentelijke monumentenCode assigned to (Dutch) monuments at the municipal level, deemed to be of local valueCode toegewezen aan monumenten die op gemeenteniveau onder bescherming geplaatst zijn + + Link to the Wikipage revision URLReserved for DBpedia. + + previous eventVorveranstaltungvorige evenementevento anterior + + capital countryHauptstadt Land + + athleticsLeichtathletikαθλητισμός + + important stationimportant nœud d'échangeswichtiger VerkehrsknotenpunktDestinations, depots, junctions, major stops, hubs... + + racesRennenαγώνας + + administrative statusadministrativer Statusадминистративни статус + + roland garros mixed + + numberOfOutdegreenumber of all outdegrees in DBpedia (same ourdegrees are counting repeatedly). This number is equal to number of all links (every link is OutDegree link) + + affiliationιστολόγιοlidmaatschapприпадност + + college hof + + NORDNORDNORDNORD + + national years代表年 + + picture descriptionBildbeschreibung + + team point + + ascentAufstiegανάβασηAscent of a celestial body, aircraft, etc. For person who ascended a mountain, use firstAscent + + securitySicherheitασφάλειαSafety precautions that are used in the building.Sicherheitsmaßnahmen, die für das Gebäude getroffen wurden.Μέτρα ασφαλείας για την προστασία ενός κτιρίου. + + winter temperature (K)Wintertemperatur (K)зимска температура (K) + + opening theme + + dioceseDiözesebisdomA religious administrative body above the parish level + + amateur koброј аматерских нокаута + + vice chancellorпотканцеларVizekanzler + + wins at NWIDEпобеде на NWIDE + + principal engineerπρώτος_μηχανικός + + roleRolleρόλοςrôle + + player season + + treatmenttraitementBehandlung + + damsire + + docked time (s) + + mvp + + Link to the Wikipage history URLReserved for DBpedia. + + element aboveэлемент снизуhoger elementelement placed above current element in D.I.Mendeleev's tableЭлемент снизу под текущим элементом в таблице Д.И.Менделеева + + building start yearbouw start jaarέτος έναρξης κατασκευής + + handisport + + similarähnlichπαρόμοιοςpodobny + + size thumbnail + + population year + + owning organisationοργανισμός + + capital regionHauptstadtregion + + Stationsabkürzungкод станицеκωδικός πρακτορείουstationscodeagency station codeAgency station code (used on tickets/reservations, etc.).Κωδικός πρακτορείου (χρησιμοποιείται σε εισιτήρια/κρατήσεις,κτλ.). + + constituency districtWhalbezirkcirconscription électorale + + amateur fightаматерских борби + + participates/participated innimmt Teil anneemt deel aan + + Dewey Decimal ClassificationThe Dewey Decimal Classification is a proprietary system of library classification developed by Melvil Dewey in 1876. + + can baggage checkedGepäckkontrolle möglichWhether bags can be checked. + + discipleélèveA person who learns from another, especially one who then teaches others..Celui qui apprend d’un maître quelque science ou quelque art libéral. + + iconographic attributesStandard iconographic elements used when depicting a Saint: pontifical, episcopal, insignia, martyrdom instruments + + beatified datezalig verklaard datum + + area rankповршина ранг + + third teamdritte Mannschaftτρίτη ομάδα + + internationallyinternational + + Olivier Award + + Alps groupομάδα των άλπεωνgruppo alpinoалпска групаthe Alps group to which the mountain belongs, according to the SOIUSA classification + + eventVeranstaltungevento + + vehicles per dayброј возила по дануFahrzeuge pro Tag + + Mieterενοικιαστήςlocatairehuurdertenant + + regime + + Tony Award + + historical maphistorische Karteιστορικός χάρτης + + seaMeer + + current memberaktuelles Mitglied + + lunar orbit time (s)Mondumlaufzeit (s) + + pictures Commons categoryWikimedia CommonsCategory for pictures of this resource + + language regulator or academytaal instituut + + gross domestic product (GDP)BruttoinlandsproduktThe nominal gross domestic product of a country (not per capita).Das nominale Bruttoinlandsprodukt eines Landes (nicht pro Einwohner). + + blazon link + + project coordinatorProjektkoordinatorThe coordinating organisation of the project. + + radioRadioραδιόφωνοTo ραδιόφωνο είναι η συσκευή που λειτουργεί ως "ραδιοδέκτης - μετατροπέας" όπου λαμβάνοντας τις ραδιοφωνικές εκπομπές των ραδιοφωνικών σταθμών τις μετατρέπει σε ήχο. + + first publication dateeerste publicatiedatumDatum der Erstausgabedata pierwszego wydaniaDate of the first publication.Datum der ersten Veröffentlichung des Periodikums. + + length of a coastLänge einer Küste + + population urbanStadtbevölkerung + + production end date + + original end pointπρωταρχικό_σημείο_τέλους + + zodiac signsigno zodiacalзодияZodiac Sign. Applies to persons, planets, etcЗодиакален знак. Приложимо за хора, планети и пр + + first flight start date + + dead in fight date + + kind of coordinate + + military branchThe service branch (Army, Navy, etc.) a person is part of. + + significant buildingbedeutendes Gebäude + + olympic games bronzebrons op de Olympische Spelen + + using country + + LCCNThe Library of Congress Control Number or LCCN is a serially based system of numbering cataloging records in the Library of Congress in the United States. It has nothing to do with the contents of any book, and should not be confused with Library of Congress Classification. + + stylestilstileestilo + + number of intercommunality + + Anzahl der Goldmedaillennomber de médailles d'or gagnéescantidad de medallas de oro ganadasaantal gewonnen gouden medaillesnumber of gold medals won + + running matecompañero de candidatura + + population percentage female + + CO2 emission (g/km) + + gravegrafGrab + + closedgeschlossengesloten + + ist + + colonial nameKolonialname + + wha draft yearWHA година драфта + + quebecer title + + Blazon caption + + route junctionWegabzweigungA junction or cross to another route.Eine Abzweigung oder Kreuzung zu einem anderen Verkehrsweg. + + provost + + Number Of MunicipalitiesAnzahl der GemeindenAantal gemeentennumero de municipios + + manager years end year + + start date and timedatum en tijd van beginThe start date and time of the event. + + projectProjekt + + total tracksthe total number of tracks contained in the album + + superbowl win + + conservation status system + + family memberFamilienmitgliedfamilielid + + number of participating male athletesAnzahl der teilnehmenden männlichen Athletennombre d'athlètes masculins participant + + vehicleвозилоόχημαVehikelvehicle that uses a specific automobile platformόχημα που χρησιμοποιεί μια συγκεκριμένη πλατφόρμα αυτοκινήτων + + philosophicalSchool + + backgroundHintergrundφόντο + + norwegian center + + formation yearformatie jaar + + demolition yearsloop jaarThe year the building was demolished. + + SeitenverhältnisAspect Ratioλόγος + + zdbzdbIdentifier for serial titles. More precise than issnzdb је серијски број који се користи за индетификацију. Прецизнији је од issn. + + percentage of alcoholAnteil von Alkoholalcoholpercentagepercentage of alcohol present in a beverage + + purchasing power parity rank + + worldWeltсвет + + red long distance piste number + + government mountain + + subregion + + national tournament gold + + unitary authorityунитарна власт + + Geburtsnameimię i nazwisko przy urodzeniuόνομα_γέννησηςnom de naixementgeboortenaambirth name + + Cesar Award + + Blutgruppeομάδα αίματοςbloedgroeptipo sanguíneo血液型blood type + + followsfolgtvient aprèssigue + + term periodχρονική περίοδος + + descriptionπεριγραφήBeschreibungomschrijvingShort description of a person + + EINECS number + + mouth place + + reporting markA reporting mark is a two-, three-, or four-letter alphabetic code used to identify owners or lessees of rolling stock and other equipment used on the North American railroad network. + + first pro matcherstes Profispiel + + όνομα_αρχηγούprésidentnaam leiderleader nameशासक का नाम + + share date + + conflictKonflikt + + mill dissapeared code NLverdwenen molen code NL + + tag + + subdivision link + + music composerkomponistcomponistμουσική + + number of lawyersAnzahl RechtsanwälteNumber of lawyers or attorneys in the company. + + prospect team + + criteriaκριτήριοKriteriencritério + + home townHeimatort + + season numberThe season number to which the TelevisionEpisode belongs. + + is route stopest un arrêtindicate a place is a stop on a road.indique qu'un lieu est un arrêt sur une route. + + scaleMaßstab + + capture date + + width quote + + Verwaltungsbezirkуправни округδήμοςprovincieadministrative district + + national affiliationafiliacao nacional + + demographicsDemografie + + geologyGeologieγεωλογίαgéologie + + maximum temperature (K)Maximaltemperatur (K)μέγιστη θερμοκρασία (K) + + best lapbeste Runde + + promotedyükselenler + + namesNamen + + final flightletzter Flugdate of final flight + + other winsSonstige Siege + + lethal when given to micedodelijk voor muizen + + subprefecture + + is close toà côté delieu proche d'un autre.place close to another place + + usesкористи + + tattooτατουάζTätowierungtatuagem + + launches + + fansgroup + + population + + warsKriegeратовиπολέμους + + end date and timedatum en tijd van eindeThe end date and time of the event. + + successoropvolgerNachfolger後任者 + + previous demographicsfrühere Demografie + + start occupation + + Votes against the resolutionStimmen gegen die ResolutionAantal stemmen tegen + + number of seasonsAnzahl der Staffeln + + neighbour constellationsNachbarsternbilder + + right tributaryrechter Nebenflussδεξιοί_παραπόταμοι + + prefixPräfix + + country with first spaceflight + + region typeregio-type + + specialistSpezialist + + perpetratordaderTäterauteur + + molar massMolare MasseMolaire massa + + gold medal mixed + + delivery dateleverdatum + + purchasing power parity year + + championshipsgewonnene Title + + distance to Cardiff (μ)απόσταση από το Cardiff (μ) + + first broadcast + + referent bourgmestre + + Anzahl der Spielerαριθμός παιχτώνnombre de joueursnumero de jugadoresnumber of players + + leagueLigaπρωτάθλημα + + okato codeCode used to indentify populated places in Russia + + produced byhergestellt durch + + touristic site + + frazioni + + VIAF IdVIAF IdVIAF codeVirtual International Authority File ID (operated by Online Computer Library Center, OCLC). Property range set to Agent because of corporate authors + + monument code (national)monumentcode rijksmonumentenCode assigned to (Dutch) monuments at the national level, deemed to be of national valueCode toegewezen aan (Nederlandse) monumenten, vallend onder bescherming op rijksniveau + + crewCrew + + bandμπάντα + + blue long distance piste number + + total discsthe total number of discs contained in the album + + friendFreundφίλος + + head + + mission duration (s)Missionsdauer (s) + + european championshipEuropameisterschaft + + NDL idNational Diet Library of Japan identificator. http://id.ndl.go.jp/auth/ndlna/$1 + + model end year + + command structureKommandostruktur + + main characterpersonnage principal + + coach season + + masters wins + + Gruppe des Periodensystemsgrupa układu okresowegogrúpa an tábla pheiriadaighгруппа периодической системыgrup de la taula periòdicaelement groupUnter einer Gruppe des Periodensystems versteht man in der Chemie jede Spalte des Periodensystems.grupa jest pionową kolumną w układzie okresowym pierwiastków chemicznych.Séard atá i gceist le grúpa sa choimhthéacs seo ná colún ceartingearach i dtábla peiriadach na ndúl ceimiceach.последовательность атомов по возрастанию заряда ядра, обладающих однотипным электронным строением.Un grup d'elements equival a una columna de la taula periòdica.In chemistry, a group (also known as a family) is a column of elements in the periodic table of the chemical elements. + + wing area (m2)Flügelfläche (m2)површина крила (m2) + + linked space + + Staatsangehörigkeitυπηκοότηταstatsborgerskabburgerschapcitizenship + + route start locationOrt des WeganfangsThe start location of the route.Der Startort des Verkehrswegs. + + olympic oath sworn by athlete + + depth quote + + final lost double + + wins at japan + + handHand + + EC numberEC番号 + + Bildgröße (px)μέγεθος εικόνας (px1)taille de l'image (px)tamaño de la imagen (px)afbeeldingsgrootte (px)イメージサイズ (px2)image size (px)the image size expressed in pixels + + jockeyJockey + + Link from a Wikipage to an external pageReserved for DBpedia. + + whole areagesamter Bereich + + next missionnächste Missionmision siguiente + + its calculation needsвычисление требует + + compilerFor compilation albums: the person or entity responsible for selecting the album's track listing. + + domaindomeinドメイン_(分類学) + + kind of rockArt von Gestein + + IATA codeIATA designation for airline companies + + number of classroomsαριθμός αιθουσών + + Singlestrona Aстранаεξώφυλλοtaobh acara Aa side + + nameназвание + + active yearsaktive Jahreактивне годинеAlso called "floruit". Use this if the active years are in one field that can't be split. Else use activeYearsStartYear and activeYearsEndYear + + Ehepartnerσύζυγοςechtgenoot配偶者spousethe person they are married toΤο άτομο με το οποίο κάποιος είναι παντρεμένος + + track numberTitelnummerνούμερο τραγουδιού + + disbanded + + crew sizeBesatzungsstärke + + LCCThe Library of Congress Classification (LCC) is a system of library classification developed by the Library of Congress. + + battleveldslagSchlacht + + number of linesAnzahl der LinienNumber of lines in the transit system. + + glycemic indexIndicates a Food's effect on a person's blood glucose (blood sugar) level. Typically ranges between 50 and 100, where 100 represents the standard, an equivalent amount of pure glucose + + right ascension + + body discoveredLeiche entdecktανακάλυψη σώματος遺体発見 + + elevator countAufzüge + + agencyAgenturделатност + + fuel systemKraftstoffsystem + + lah hof + + north-west placelieu au nord-ouestindique un autre lieu situé au nord-ouest.indicates another place situated north-west. + + Digital Library code NLDBNL code NLidentifier in Dutch digital library (dbnl)ID in Digitale Bibliotheek voor de Nederlandse Letteren (dbnl) + + launch vehicle + + aircraft attackFlugzeugangriffнапад из ваздухаεπίθεση αεροσκάφους + + page length (characters) of wiki pageReserved for DBpedia. + + institutionInstitutioninstitutie + + Vereinομάδαclubクラブclub + + service end year + + prime ministerminister-presidentPremierminister + + If the company is defunct or not. Use end_date if a date is given + + albedoalbedoалбедоreflection coefficientσυντελεστής ανάκλασης + + retirement datepensioendatum + + ISO 3166-1 codedefines codes for the names of countries, dependent territories, and special areas of geographical interest + + bust-waist-hip Sizeразмер бюст-талия-ханшUse this property if all 3 sizes are given together (DBpedia cannot currently extract 3 Lengths out of a field). Otherwise use separate fields bustSize, waistSize, hipSize + + previous entity + + featuresχαρακτηριστικόkenmerk + + fuel typeτύπος καυσίμουKraftstofftyp + + old nameπαλιό όνομαalter Name + + painterMalerζωγράφος + + BRIN codeBrin codeThe code used by the Dutch Ministry of Education to identify a school (as an organisation) + + number of graduate studentsZahl der Studenten + + military unitMilitäreinheitFor persons who are not notable as commanding officers, the unit (company, battalion, regiment, etc.) in which they served. + + commanderBefehlshabercommandant + + sound recordingSound recording somehow related to the subject + + number of lifts索道数Number of lifts. + + Jugendclubомладински клубjeugdclubユースクラブyouth club + + flooding date + + musical artist + + per capita income ($)Pro-Kopf-Einkommen ($)renda per capita ($) + + Jahrestemperatur (K)годишња температура (K)ετήσια θερμοκρασία (K)jaartemperatuur (K)annual temperature (K) + + capacity factor + + Residenzmiejsce zamieszkaniaκατοικίαverblijfplaats居住地residencePlace of residence of a person. + + principal areaHauptbereich + + elevation quote + + maximum ELO rating + + measurementsMessungenmedidas + + price ($)Preis ($)The price of something, eg a journal. For "total money earned by an Athlete" use gross + + military functionmilitärische Funktion + + sister college + + first gameerstes Spiel + + building start dateΗμερομηνία έναρξης κατασκευήςBuilding start date of an ArchitecturalStructure, man-made Lake, etc. For older structures this can be just a year or century, for newer structures an exact date is preferred + + assemblyMontageσυνέλευση + + resultFolgeαποτέλεσμα + + length of a frontier + + deanDekanπρύτανηςdecaan + + original maximum boat beam (μ) + + tribusStämmestam + + phone prefix label of a settlement + + old provincealte Provinz + + DrugBankDrugBank + + atomic weightMais adamhach choibhneastathe ratio of the average mass of atoms of an element (from a single given sample or source) to 1⁄12 of the mass of an atom of carbon-12Maiseanna adamh, a chuirtear síos i dtéarmaí aonaid maise adamhaí u. + + pro bowl pick + + other language of a settlementanderen Sprache einer Siedlung + + Radius_ly + + number of visitorsBesucherzahlαριθμός επισκεπτώνbezoekersaantal + + displacement (g)Deplacement (g)A ship's displacement is its mass at any given time. + + designation of runway + + mouth countryχώρες_λεκάνης + + orbital period (s)Umlaufzeit (s)Περίοδος περιφοράς (s) + + FCFC + + wingspan (μ)Spannweite (μ)распон крила (μ) + + Alps major sectorглавни Алпски секторσημαντικότερος τομέας των άλπεωνgrande settore alpinothe Alps major sector to which the mountain belongs, according to the SOIUSA classification + + law country + + number of officialsZahl der Beamten + + call signindicativo de chamadaA call sign is not the name of a broadcaster! In broadcasting and radio communications, a call sign (also known as a call name or call letters, or abbreviated as a call) is a unique designation for a transmitting station.Indicativo de chamada (também chamado de call-sign, call letters ou simplesmente call) é uma designação única de uma estação de transmissão de rádio. Também é conhecido, de forma errônea, como prefixo. + + colleagueColleague of a Person or OfficeHolder (not PersonFunction nor CareerStation). Sub-properties include: president, vicePresident, chancellor, viceChancellor, governor, lieutenant. Points to a Person who may have a general "position" (resource) or "title" (literal). + + service start year + + international phone prefix label + + approved rating of the Entertainment Software Self-Regulation Body in Germanyzugelassene Bewertung der Unterhaltungssoftware Selbstkontrolle in Deutschlandодобрени рејтинг од стране регулаторног тела за забавни софтвер у Немачкој + + last flight end date + + left child + + manager clubClubmanager監督チーム + + last family memberletztes Familienmitgliedlaatste drager familienaam + + aircraft electronicηλεκτρονικό αεροσκάφος + + number of neighbourhood + + us open singleUS Open појединачно + + overall recordGesamtbilanz + + VogelptakπτηνάéanbirdΤα πτηνά είναι ζώα ομοιόθερμα σπονδυλωτά, που στη συντριπτική πλειονότητα τους μπορούν να πετούν με τις πτέρυγες ή φτερούγες τους. + + rebuilder + + resting placeRuhestätte埋葬地 + + geologic period + + largest citygrößte Stadt + + secondLeadervice-voorzitter + + twin cityPartnerstadttweeling stad + + document numberDokumentnummerdocumentnummerIdentification a document within a particular registry + + filling station + + hairs + + flowerBlumeλουλούδι + + production start dateProduktionsbeginn + + rankPlatzierungRank of something among other things of the same kind, eg Constellations by Area; MusicalAlbums by popularity, etc + + number of countiesAnzahl der Landkreisenúmero de condados + + band memberBandmitgliedbandlidμέλος μπάνταςA member of the band.Ένα μέλος της μπάντας. + + common namegewöhnlicher NameThe common name of an entity. Frequently, foaf:name is used for all of the different names of a person; this property just defines the most commonly used name. + + merger date + + beeinflusst durchεπιρροέςinfluencé parbeïnvloed doorinfluenced byThe subject was influenced by the object. inverseOf influenced. Subject and object can be Persons or Works (eg ProgrammingLanguage) + + wins in Europeпобеде у ЕвропиSiege in Europa + + pga wins + + fare zoneTarifzoneThe fare zone in which station is located.Die Tarifzone zu der die Station gehört. + + municipality codeGemeindecodegemeente-code + + arteryArterieαρτηρίαader + + solubilityLöslichkeitoplosbaarheid + + suppredded dateoppressie datumдата на забранатаDate when the Church forbade the veneration of this saint. +(I hope that's what it means, I don't know why the original author didn't document it) + + railway rolling stockOperierende Schienenfahrzeuge + + code istatIndexing code used for Italian municipalities + + extinction year!!! Do NOT use this property for non Species related dates!!! - Year this species went extinct. + + ceilingdienstplafondMaximum distance to the earth surface, to be expressed in kilometers + + Staatsformgovernment typestaatsvormtipo de governobroadly, the type of structure of its government + + date of abandonment + + scoreScore or points of something (eg a SportCompetitionResult) + + amateur year + + most steadyen istikrarlı + + launch dateStarttermin + + country with first astronaut + + feast day, holidayFesttagfeestdagA day of celebration associated with the entity. Applies to Saint, School etc + + function start date + + number of soresAnzahl an Geschäften + + previous editorπρώην συντάκτης + + hra state + + government elevation (μ) + + visitors totalGesamtbesucherукупан број посетилацаεπιβατική κίνηση + + country originLand Herkunft + + current seasonaktuelle SpielzeitΤρέχον Περίοδος + + name in Mindongyu Chinesenaam in Mindongyu Chinees + + military serviceservice militaire + + other channel + + wsop itmWSOP ITM + + beltway city + + management mountain + + vice principal label + + number of islandsAnzahl der Inselnαριθμός νησιώνaantal eilanden + + reference for geographic dataReferenz für geographische Datengeometrie + + has abstractabstractέχει περίληψηапстрактReserved for DBpedia.Προορίζεται για την DBpedia. + + solvent with bad solubilityLösungsmittel mit schlechter Löslichkeitslecht oplosbaar in + + floor area (m2)vloeroppervlak (m2)περιοχή ορόφων (m2) + + service start date + + apskritisлитвански округ + + nobel laureatesNobelpreisträger + + Volksbezeichnungτοπονύμιο_πληθυσμούdémonymexentilicionaam bevolkingsgroepdemonym + + commandantKommandant + + ncbhof + + short prog score + + kind of criminal + + map caption + + first launcherster Start + + average annual gross power generation (J) + + maximum inclination + + lyricsστίχοιparolier歌詞Creator of the text of a MusicalWork, eg Musical, Opera or Song + + maximum discharge (m³/s) + + allegianceυποταγήверностThe country or other power the person served. Multiple countries may be indicated together with the corresponding dates. This field should not be used to indicate a particular service branch, which is better indicated by the branch field. + + term of officeAmtszeit + + ISO region codeISO-LändercodeISO regiocode + + von Klitzing electromagnetic constant (RK)von Klitzing elektromagnetisch Konstant (RK) + + county seatprovincie zetel + + number of vineyardsAnzahl von Weinbergen + + rotation period (s) + + active years end dateενεργή ημερομηνία λήξης χρόνουactieve jaren einddatumдатум завршетка активних година + + career prize money ($)prijzengeld loopbaan ($) + + number of items in collectionAnzahl der Elemente in der Sammlungaantal titels/itemsIndication as to the size of the collection of this libraryAanduiding van omvang van de collectie van deze bibliotheek + + sign name of a hungarian settlement + + musical keyTonartμουσικό κλειδίtoonsoort + + Auszeichnungδιακρίσειςrécompenseonderscheiding受賞awardAward won by a Person, Musical or other Work, RaceHorse, Building, etc + + ethnic groupethnieetnia + + production companyProduktionsfirmaproductiebedrijfthe company that produced the work e.g. Film, MusicalWork, Software + + movieFilm + + continental tournament silver + + airdateημερομηνία αέραдатум емитовања + + Wikidata IRI slitis used to denote splitting of a Wikidata IRI to one or more IRIs + + current team memberA current member of an athletic team. + + wins at LETпобеде на LET + + Crewπλήρωμαcrew + + rectorRektor + + active years start yearενεργός χρόνος έτος λειτουργίαςactieve jaren start jaarпочетна година активних година + + protein (g)Amount of proteins per servingSize of a Food + + (political) officeυπηρεσία(politisches) Amt + + thumbnail localization + + number of suites + + drains from + + temperature (K)Temperatur (K)θερμοκρασία (K)température (K) + + informationInformationen + + number of newly introduced sportsnumbre de sports nouvellement ajoutésnumero de deportes nuevamente añadidos + + government country + + original titleOriginaltiteloorspronkelijke titelThe original title of the work, most of the time in the original language as well + + mute character in playName of a mute character in play. + + FilmPolski.pl id + + campus type + + developerontwikkelaarEntwicklerdéveloppeurDeveloper of a Work (Artwork, Book, Software) or Building (Hotel, Skyscraper) + + blue ski piste number + + gene location startlocus startpunt遺伝子座のスタート座標the start of the gene coordinates + + capital coordinatesHauptstadt Koordinaten + + circumcised + + CAS supplemental + + ministerMinisterministre + + canonized dateheiligverklaring datum + + licence letter of a german settlement + + wins at pro tournamentsпобеде на професионалним турнирима + + canonized byheilig verklaard door + + providesbietet + + highest state + + numberOfResourcenumber of all resource in DBpedia (including disambiguation pages and rediretcs) + + latest release version + + lowest positionposition la plus basse + + aircraft trainer + + riverFlussποτάμιrivière + + fuel type + + consecrationWeihewijding + + ESPN id + + notable wine + + retiredσυνταξιούχος + + political majoritypolitische Mehrheit + + administratorVerwalterуправникδιαχειριστής + + location citylocatie stadvilleCity the thing is located. + + Number Of Capital Deputiesnumero de deputados distritais + + area of catchment quote + + south-east placelieu au sud-estindique un autre lieu situé au sud-est.indicates another place situated south-east. + + premiere yearYear the play was first performed. + + employerArbeitgeber雇用者θέσεις_εργασίας + + main buildingHauptgebäude本殿 + + has inside placea un lieu intérieurindique un autre lieu situé à l'intérieur.indicates another place situated inside. + + bowl recordρεκόρ μπόουλινγκ + + conviction penaltyStrafe + + album duration (s)Album Länge (s)трајање албума (s) + + Höhe (μ)ύψος (μ)hauteur (μ)višina (μ)højde (μ)hoogte (μ)altura (μ)身長 (μ)height (μ) + + medizinisches Fachgebietιατρική ειδικότηταspécialité médicalespecializzazione medica진료과medisch specialisme診療科medical specialty + + flag border + + president general council + + ingredientZutatMain ingredient used to prepare a specific Food or Beverage. For strings use ingredientName, for objects use ingredient. + + aircraft helicopter cargoφορτίο ελικοφόρου αεροσκάφουςтеретни хеликоптер + + spacecraftRaumfahrzeugδιαστημόπλοιοvéhicule spatial + + absorbed byopgegaan in + + refseq mRNArefseq mRNA + + entfernung zur hauptstadt (μ)απόσταση από την πρωτεύουσα (μ)distanza alla capitale (μ)distância até a capital (μ)distance to capital (μ) + + original maximum boat length (μ) + + previous missionfrührere Mission + + management position + + governing bodybestuursorgaanVerwaltungsgremiumBody that owns/operates the Place. + + Polish Film AwardPolnischer FilmpreisPolska Nagroda Filmowa (Orzeł) + + MeSH number + + entourageGefolge + + key personSchlüsselperson + + declination + + ithf date + + Lieutenancy area + + locomotivelocomotief + + forcesforcesStreitkräfte + + voiceStimmeгласVoice artist used in a TelevisionShow, Movie, or to sound the voice of a FictionalCharacter + + government region + + previous population + + authority mandate + + Number of votes in favour of the resolutionAnzahl der Stimmen für die ResolutionAantal stemmen voor + + connotationKonnotationA meaning of a word or phrase that is suggested or implied, as opposed to a denotation, or literal meaning. + + rulingEntscheidungrelevante regelgevingRuling referred to in this legal case + + contract award + + budget yearHaushaltsjahr + + red coordinate in the RGB space + + min + + legal arrondissement + + hall of fameRuhmeshalle + + language codeSprachcodekod językowy + + eurobabe index ideurobabeindex idcódigo no eurobabeindex + + lowest point + + lchf draft year + + mill code BEmolen code BEmills code from the Belgian database on millsunieke code voor molens in database www.molenechos.org + + amateur no contest + + height attack + + number of run + + endowment ($) + + current leagueaktuelle Liga + + code on List of HonourCode EhrenlisteCode Erelijst van Gevallenen + + total cargo (g) + + manager years start year + + tv.com id + + green ski piste number + + youth wingомладинско крилоala jovem + + statistic valueStatistikwert + + aktueller Weltmeisterchampion du monde actuelactual Campeón del mundohuidig wereldkampioencurrent world champion + + Wasserscheide (m2)λεκάνη_απορροής (m2)cuenca hidrográfica (m2)waterscheiding (m2)watershed (m2) + + career stationKarrierestationcarrièrestapthis property links to a step in the career of a person, e.g. a soccer player, holding information on the time span, matches and goals he or she achieved at a club. + + government position + + credit + + Komponistkompozytorσυνθέτηςcompositeurcomponistcomposer + + opening filmEröffnungsfilm + + trainingAusbildungπροπόνηση + + date of christeningdoopdatum + + innervates + + Anzahl der Silbermedaillennomber de médailles d'argent gagnéescantidad de medallas de plata ganadasaantal gewonnen zilveren medaillesnumber of silver medals won + + draftEntwurf + + closing seasonkapanış sezonu + + builderBaumeisterbouwerοικοδόμος + + top speed (kmh)Höchstgeschwindigkeit (kmh) + + olympic gamesolympische SpieleOlympische Spelen + + assistant principalκύριος βοηθός + + previous workfrüheren Arbeitenvorig werkπροηγούμενη δημιουργία + + Jahrгодинаέτοςannéeannoañojaaryear + + start year of insertion + + procedureVerfahrenprocedureThe name designating a formal collection of steps to be taken to complete the caseDe naam die verwijst naar de formele definitie van een verzameling stappen die in de juiste volgorde leiden tot de afronding van de zaak + + portrayer + + human development index (HDI) categorycategoria do indice de desenvolvimento humano (IDH) + + regencyRegentschaftkabupaten + + so named sinceso genannt seitzo genoemd sinds + + main islandsHauptinseln + + periapsis (μ)Periapsisdistanz (μ) + + cladecladon + + european union entrance datedata de entrada na uniao europeia + + amateur teamаматерски тим + + industryIndustrieindustrie + + distance to Douglas (μ)απόσταση από το Douglas (μ) + + Penalties Team A + + diplomaDiplom + + final lost single + + floraFlora + + signatureUnterschrift + + judgeRichterrechterleading judge + + ownsin bezit vanUsed as if meaning: has property rights over + + name in the Wade-Giles transscription of Chinesenaam in het Wade-Giles transscriptie van het Chinees + + killed bygetötet von + + pole driver country + + coronation datekroningsdatum + + COSPAR idDescribed at http://en.wikipedia.org/wiki/International_Designator + + visitors per dayброј посетилаца по дануBesucher pro Tag + + alternative titlealternativer Titelalternatieve titelалтернативни насловThe alternative title attributed to a work + + legend thumbnail localization + + mandate of the president of the general council + + gross ($)indtjening ($)ακαθάριστα ($) + + broadcast translatorαναμετάδοση μεταφραστή + + main branchvoornaamste tak + + Date Last UpdatedDatum der letzten Aktualisierungdatum laatste bewerking + + the previous municipality from which this one has been created or enlargedsamengevoegde gemeente + + distance to nearest city (μ)vzdálenost k nejbližšímu městu (μ) + + world tournament silverброј сребрних медаља са светских турнира + + associateσυνεργάτης + + DfEDepartment for Education (UK) number of a school in England or Wales + + surface of runway + + inscriptionText of an inscription on the object + + Geburtsjahrέτος γέννησηςgeboortejaar生年birth year + + maximum apparent magnitudemaximale scheinbare Helligkeitmaximale schijnbare magnitude + + resting dateBestattungsdatum埋葬年月日 + + number of SoccerPlayers born in Placepočet fotbalistů narozen na daném místě + + junior years end year + + council of a liechtenstein settlement + + debut teamπρώτη ομάδα + + numberOfClassesnumber of defined Classes + + head label + + number of canton + + continent rankRang KontinentPlace of the building in the list of the highest buildings in the continentDer Platz des Gebäudes in der Liste der höchsten Gebäude des Kontinents + + musical band + + politic government departmentministerio do politico + + HGNCidHGNCid + + mouth mountain + + linked toverknüpft + + highest regionhoogste regio + + length quote + + hopman cup + + tuition ($)Schulgeld ($) + + number of pagesnombre de pagesaantal pagina'sAnzahl der SeitenThe books number of pages. + + has outside placea un lieu extérieurindique un autre lieu situé autour à l'extérieur.indicates another place situated around outside. + + south placelieu au sudindique un autre lieu situé au sud.indicates another place situated south. + + PostleitzahlПоштански кодταχυδρομικός κώδικαςcódigo postalpostcodezip code + + individualised PND numberPersonennamendateiPND (Personennamendatei) data about a person. PND is published by the German National Library. For each person there is a record with her/his name, birth and occupation connected with a unique identifier, the PND number. + + asia championship + + opening seasonaçılış sezonu + + notable featuresnotlar + + military governmentMilitärregierung + + iso code of a province + + discharge (m³/s)εκροή (m³/s)uitstoot (m³/s) + + spoken ingesprochen ingesproken in + + suborbital flights + + stat name + + junior years start year + + variant or variationVariante oder Variationваријантаvariantvariant or variation of something, for example the variant of a car + + networth ($) + + wiki page uses templateWikiseite verwendet TemplateDO NOT USE THIS PROPERTY! For internal use only. + + fossilfossiel + + state of origin + + number of orbitsAnzahl der Bahnen + + Sterbedatumημερομηνία_θανάτουdate de décèssterfdatum没年月日death date + + extraction datetimeDate a page was extracted '''''' + + aircraft recon + + province link + + bar pass rateποσοστό επιτυχίας + + track width (μ)spoorbreedte (μ)Width of the track, e.g., the track width differing in Russia from (Western and Middle) European track width + + ko + + template nameTemplatenameDO NOT USE THIS PROPERTY! For internal use only. + + associate editorσυνεργαζόμενος συντάκτης + + managing editor + + name in Hangul-written Koreannaam in Hangul-geschreven Koreaans + + number of undergraduate studentsZahl der Studenten + + strengthStärkeδύναμη + + otherSportsExperienceスポーツ歴 + + circuit name + + rank of an agreement + + official school colouroffizielle SchulfarbeThe official colour of the EducationalInstitution represented by the colour name (e.g.: red or green). + + RKDartists idRijksbureau voor Kunsthistorische Documentatie (RKD) artists database id. +http://rkd.nl/explore/artists/$1 + + current partneraktueller Partner + + official nameoffizieller Name + + LandkrajχώραpayspaístírestatlandpaíscountryThe country where the thing is located. + + west placelieu à l'ouestindique un autre lieu situé à l'ouest.indicates another place situated west. + + solvent with mediocre solubilityLösungsmittel mit mittelmäßiger Löslichkeitmatig oplosbaar in + + usopen winsпобеде на US Open-у + + subprefecture + + fastest driver countryschnellster Fahrer Land + + executive headteacher + + KFZ-Kennzeichenvehicle codeкод возилаvoertuig codeRegion related vehicle code on the vehicle plates. + + age rangeAltersgruppeεύρος ηλικίαςопсег годинаAge range of students admitted in a School, MilitaryUnit, etc + + relation time + + dubberthe person who dubs another person e.g. an actor or a fictional character in movies + + nfl team + + faunaFaunafauna + + FC runs + + person functionAmtpersoon functie + + fuel capacity (μ³)χωρητικότητα καυσίμου (μ³)Kraftstoffkapazität (μ³) + + Sterbeortτόπος_θανάτουlieu de décèsplaats van overlijden死没地death placeThe place where the person died. + + laying down + + Number Of State Deputiesnumero de deputados estaduais + + name in Simplified Chinesenaam in het Vereenvoudigd Chinees + + Location Identifier + + nearest citynächstgelegene Stadtdichtstbijzijnde stadπόλη + + summer temperature (K) + + mouth positionfoce (di un fiume)lugar de desembocadura + + automobile platformAutomobilplattformπλατφόρμα αυτοκινήτων + + Treibstoffκαύσιμαcarburantbrandstoffuel + + Führerηγέτηςleiderliderleader + + active years start date manager + + number of rocket stagesAnzahl von Raketenstufennumber of stages, not including boosters + + testaverage + + aircraft helicopter transportμεταφορές που πραγματοποιούνται με ελικοφόρο αεροσκάφοςтранспортни хеликоптер + + sovereign countrysouveräner Staat + + damage amountschadebedrag + + EntdeckerΑνακαλύφθηκε απόdécouvreurdescubridordiscoverer + + magazineMagazinπεριοδικό + + bad guyBösewicht + + first flighterster Flug + + awardNameAward a person has received (literal). Compare to award (ObjectProperty) + + criminal chargeStrafantrag + + teaching staff + + carbohydrate (g)Amount of carbohydrates per servingSize of a Food + + supplemental draft round + + beatified byzalig verklaard door + + date of acquirementAnschaffungszeitpunktημερομηνία απόκτησης + + monument code for the Monuments Inventory Projectmonumentcode voor het Monumenten Inventarisatie ProjectThe Dutch MIP project was meant to take stock of all kinds of monumentsCode voor alle soorten monumenten gebezigd door het MI-project + + gini coefficientGini-Koeffizientcoeficiente de Giniis a measure of the inequality of a distribution. It is commonly used as a measure of inequality of income or wealth. + + percentage of a place's male population that is literate, degree of analphabetismpercentage van de mannelijke bevolking dat geletterd is + + spacewalk beginBeginn Weltraumspaziergang + + first drivererster Fahrer + + commandBefehl + + cinematographyKinematografiecineamatagrafaíochtcinematografie + + local authority + + geolocDepartment + + oil systemÖlsystem + + partnerpartnerσυνέταιροςPartner + + National Topographic System map number + + freeLabel + + percentage of area waterποσοστό_υδάτωνpercentage wateroppervlak + + Golden Raspberry Award + + source confluence state + + total populationGesamtbevölkerung + + latest preview version + + Text used to link from a Wikipage to another WikipageReserved for DBpedia. + + National Olympic CommitteeNationales Olympisches Komiteenationaal Olympisch commité + + manufactoryFabrik + + number of licensednombre de licenciésnombre de personnes ayant une license pour pratiquer cette activité + + SAT scoremost recent average SAT scores + + Wiki page out degreeReserved for DBpedia. + + fips code + + seasonSaisonσαιζόν + + magenta coordinate in the CMYK space + + film runtime (s)Filmlaufzeit (s) + + head alloy + + north-east placelieu au nord-estindique un autre lieu situé au nord-est.indicates another place situated north-east. + + Computing Media + + capital district + + following eventévènement suivant + + congressional district + + spouse nameName des Ehepartnersόνομα συζύγου + + detractorKritiker + + name in JapaneseName auf japanischnaam in het Japans + + seiyu + + distance traveled (μ)Zurückgelegte Entfernung (μ)afgelegde afstand (μ) + + RID IdAn identifying system for scientific authors. The system was introduced in January 2008 by Thomson Reuters. The combined use of the Digital Object Identifier with the ResearcherID allows for a unique association of authors and scientific articles. + + wins at challenges + + total travellers + + foot + + podiumsPodestplätze + + seating capacitySitzplatzkapazitätzitplaatsen + + distance to London (μ)απόσταση από το Λονδίνο (μ) + + creator (agent)UrheberδημιουργόςmakerCreator/author of a work. For literal (string) use dc:creator; for object (URL) use creator + + Alterстаростηλικίαleeftijdage + + number of pixels (millions)nombre de pixels (millions) + + galicianSpeakersPercentageporcentaxe de galegofalantesPercentage of Galician speakers.porcentaxe de galegofalantes. + + amgIdAMG ID + + number of vehiclesAnzahl der FahrzeugeNumber of vehicles used in the transit system. + + Gründungsdatumdata założeniaημερομηνία ίδρυσηςdáta bunaithe創立日founding date + + effectiveRadiatedPower (W) + + owning companyBesitzerfirma + + Leistungдостигнућеκατόρθωμαhaut fait, accomplissementlogroprestatieachievement + + player statusSpielerstatus + + group commemoratedgroep mensen herdachtDesignates the category of people commemorated by a monumentAanduiding van de categorie mensen die door dit monument worden herdacht + + buildingGebäudegebouwκτίριο + + serviceDienst + + phylumfiloEmbranchement phylogénétique門_(分類学)A rank in the classification of organisms, below kingdom and above class; also called a division, especially in describing plants; a taxon at that rank.En systématique, l'embranchement (ou phylum) est le deuxième niveau de classification classique des espèces vivantes. + + brandμάρκα + + comic + + political mandatepolitisches Mandat + + latest release datedate de dernière version + + crewsBesatzungen + + Registered at Stock Exchangebeurs waaraan genoteerd + + crestWappenherb + + total mass (g)Gesamtmasse (g) + + government place + + notify dateBenachrichtigungsdatum + + KücheκουζίναcuisinekeukencuisineNational cuisine of a Food or Restaurant + + demographics as ofindicadores demograficos em + + coached team + + editor titleτίτλος συντάκτη + + reichβασίλειοrègne (biologie)regnorijk界_(分類学)kingdomIn biology, kingdom (Latin: regnum, pl. regna) is a taxonomic rank, which is either the highest rank or in the more recent three-domain system, the rank below domain.Le règne (du latin « regnum ») est, dans les taxinomies classiques, le plus haut niveau de classification des êtres vivants, en raison de leurs caractères communs. + + committeeAusschuss + + unit cost ($)Stückkosten ($) + + ATC suffixATC κατάληξηsuffix ATC + + leaderFunction + + management elevation (μ) + + biust (μ)Μέγεθος προτομής (μ)размер бюст (μ)バスト (μ)bust size (μ) + + workArbeit + + league manager + + musicTypesoort muziekwerkType is too general. We should be able to distinguish types of music from types of architectureType is te algemeen. We moeten soorten muziek van soorten gebouwen kunnen onderscheiden + + Link from a Wikipage to another WikipageReserved for DBpedia. + + carcinogenKarzinogenkankerverwekkend + + average class sizedurchschnittliche Klassengrößeμέσο μέγεθος τάξης + + height against + + affairафера + + passengers per yearpassagiers per jaarPassagiere pro JahrNumber of passengers per year. + + set designerBühnenbildnerscenografothe person who is responsible for the film set design + + road end directionHimmelsrichtung des WegendesEnd of the route. The opposite of OntologyProperty:routeStartDirection.Himmelsrichtung des Endes des Verkehrsweges. Der Gegensatz zur OntologyProperty:routeStartDirection. + + durchschnittliche Tiefe (μ)average depth (μ)μέσο βάθος (μ)profondeur moyenne (μ)Source of the value can be declare by . + + lounge + + Alps SOIUSA codeκώδικας SOIUSA των άλπεωνcodice SOIUSAалпски SOIUSA кодthe Alps SOIUSA code corresponding to the mountain, according to the SOIUSA classification + + yellow coordinate in the CMYK space + + volumesтомовиdelen + + monument code (provinciall)monumentcode provinciale monumentenCode assigned to (Dutch) monuments at the provincial level, mostly for monuments in the countryside, or for waterworksCode voor monumentenbescherming, in Nederland op provinciaal niveau. Meestal gebruikt voor agrarische monumenten of waterwerken + + branch ofδιακλάδωση_του + + synonymSynonymσυνώνυμοシノニム + + perifocusperifocus + + piercingPiercingpiercing + + contestWettbewerb + + handednesshabilidade com a maoan attribute of humans defined by their unequal distribution of fine motor skill between the left and right hands. + + roland garros double + + number of all resource / entities of a classcelkový počet zdrojů / entit v dané tříde + + dry cargo (g)Trockenfracht (g)droge last (g) + + state of origin year + + divisionverdeling + + visitor percentage changeпромена процента посетилацаprozentuale Veränderung der BesucherzahlPercentage increase or decrease. + + mythologyMythologiemitologiaμυθολογία + + past member + + IFTA Award + + associated musical artistσυνεργάτης-μουσικός καλλιτέχνης + + armyArmeelegerστρατόςΈνας στρατός αποτελεί τις επίγειες ένοπλες δυνάμεις ενός έθνους + + BBRBBRBBRBBRFor NBA players, the text between the last slash and .html in the URL of the player's basketball-reference.com profile (linked at http://www.basketball-reference.com/players/). + + relegated teamsAbsteigerdüşenler + + khl draft year + + Gaudí AwardPremis GaudíAwards of the Catalan Academy of Cinema + + meeting buildingTagungsgebäude + + last appearance + + number of lapsAnzahl der Runden + + patronPatronpatrono + + race length (μ)Rennlänge (μ) + + continentKontinentήπειροςcontinentelinks a country to the continent it belongsμεγάλες περιοχές ξηράς που περιστοιχίζονται από ωκεανούς + + geolocdual + + victory percentage as managerпроценат победа на месту менаџера + + Tierживотињаζώοanimalbeest動物animal + + National tournament + + date budget + + area of a land (m2) + + highest altitude最高地点標高 + + start yearStartjahr + + race horseRennpferd + + highest positionHöchststand + + flagSize + + current rankaktueller Ranglistenplatz + + armώμος + + type of municipalityGemeindetyptype gemeente + + numberOfPropertiesnumber of defined properties in DBpedia ontology + + this seasonbu sezon + + austrian land tag + + penis length + + world tournament goldброј златних медаља са светских турнира + + neighbour regionNachbarregion + + individualised GND numberGemeinsame NormdateiGND (Gemeinsame Normdatei) is an international authority file for the organisation of personal names, subject headings and corporate bodies from catalogues. It is used mainly for documentation in libraries and archives. The GND is managed by the German National Library in cooperation with various library networks. The GND falls under the Creative Commons Zero(CC0) license. + + sexφύλοGeschlechtsexe + + legal formrechtsvormRechtsformThere are many types of business entity defined in the legal systems of various countries. These include corporations, cooperatives, partnerships, sole traders, limited liability company and other specialized types of organization.Die Rechtsform definiert die juristischen Rahmenbedingungen einer Organisation bzw. Unternehmens. + + ISO 639-1 codeISO 639-1 codekod ISO 639-1 + + per capital income rank + + scientific namewissenschaftlicher Namewetenschappelijke naam + + secretarySekretärinsecretarissecretario + + satelliteSatellitδορυφόρος + + lineligneligne d'un arrêt sur une route.line of a stop on a route. + + legislatureGesetzgeber + + number of SoccerPlayers in entity of SoccerClubpočet fotbalových hráčů ve fotbalovém týmu + + route previous stoparrêt précédentprevious stop on a route.arrêt précédent sur une route. + + quote + + type of grain (wheat etc.)Getreideart (Weizen usw.)graansoort + + purposeZweckdoelobjectif + + lihf hof + + lieutenantLeutnantlieutenant + + mayor article + + lowest state + + Zugriffsdatumдатум приступаημερομηνία πρόσβασηςtoegangsdatumaccess date + + head teacherSchulleiter + + pluviometryRegenmessung + + super-orderbovenorde + + end year of sales + + frequency of publicationfrequentie van publicatieErscheinungsweiseThe frequency of periodical publication (eg. Weekly, Bimonthly).Die Häufigkeit der Erscheinungen des Periodikums (z.B. wöchentlich, monatlich). + + toll ($)Maut ($) + + tower heightTurmhöhehoogte van de toren + + current teamaktuelle Mannschaft所属チーム + + source position + + thumbnailReserved for DBpedia. + + meeting city + + production start yearproductie beginjaar + + debutWorkFirst work of a person (may be notableWork or not) + + pronunciationAussprache + + first placeerster Platz + + unknown outcomesнепознати исходиnumber of launches with unknown outcomes (or in progress)број лансирања са непознатим исходом или број лансирања који су у току + + expeditionExpedition + + number of islandsAnzahl der Inseln + + aircraft helicopter utility + + number of tracksAnzahl der GleiseNumber of tracks of a railway or railway station. + + Postleitzahlταχυδρομικός κώδικαςcode postalpostcodecódigo postalpostal codeA postal code (known in various countries as a post code, postcode, or ZIP code) is a series of letters and/or digits appended to a postal address for the purpose of sorting mail. + + reservationsReservierungenAre reservations required for the establishment or event? + + Partition coefficientVerteilungskoeffizientVerdelingscoëfficiënt + + chemical formula + + BPN IdDutch project with material for 40,000 digitized biographies, including former colonies of the Netherlands. + + coat of arms imagebild wappenimage of the coat of arms (heraldic symbol) + + family headFamilienoberhaupthoofd van de familie + + codeκωδικόςCodecodeSuperproperty for any designation (string, integer as string) that is meant to identify an entity within the context of a system + + selection point + + slogansloganSloganДевиз + + museumμουσείοmuseum博物館 + + Emmy AwardEmmy Award + + inflowZuflussεισροή + + second teamzweites Teamδεύτερη ομάδα + + maiden flightJungfernflugdate of maiden flight + + CODENCODEN is a six character, alphanumeric bibliographic code, that provides concise, unique and unambiguous identification of the titles of serials and non-serial publications from all subject areas. + + BezirkhrabstwoΕπαρχίαcontaeprovinciecountyThe county where the thing is located. + + start pointStartpunktσημείο_αρχής + + number of entities of Person class who graduated from the universitypočet entit třídy Osoba s vystudovanou konkrétní univerzitou + + end yearStartjahr + + wimbledon singleвимблдон појединачно + + first olympic eventpremière épreuve olympique + + lchf draft year + + depths + + INSEE codeINSEE-codenumerical indexing code used by the French National Institute for Statistics and Economic Studies (INSEE) to identify various entities + + ATC codeATC codeκώδικας ATC + + champion in single femalechampion en simple femmesCampeón en simple mujereswinner of a competition in the single female session, to distinguish from the double session (as in tennis) + + last air dateSendeschlussThe date on which the broadcaster made its last broadcast. + + państwoΧώραpaís de localizaçãoCountry the thing is located. + + templeTempel + + diseasesDbdiseasesDbdiseasesDb + + number of all MuscialArtist playing the stylepočet hudebních umělců hrající konkrétní styl + + creator of dishThe person that creates (invents) the food (eg. Caesar Cardini is the creator of the Caesar salad). + + significant projectbedeutendes Projektistotne osiągnięcieA siginificant artifact constructed by the person. + + Lizenzάδειαlicencelicentielicense + + aircraft helicopter observationπαρατήρηση ελικοφόρου αεροσκάφουςосматрање хеликоптером + + requirementAnforderung + + delegation + + skin color + + BNF IdAuthority data of people listed in the general catalogue of the National Library of France + + type of municipalityArt der Gemeindetype gemeente + + Kindπαιδίkind子供childطفل + + is peer reviewedIn academia peer review is often used to determine an academic papers suitability for publication. + + net income ($)Nettoergebnis ($) + + imposed danse score + + Firmaεταιρείαorganisatie会社company + + volcanic typeVulkantypтип вулкана + + roland garros single + + intercommunality + + route directionHimmelsrichtung des VerkehrswegesThe general direction of the route (eg. North-South).Himmelsrichtung des Verkehrsweges (z.B. North-South). + + third commander + + architectual bureauArchitekturbüroαρχιτεκτονική κατασκευή + + vehicle types in fleetFahrzeugtypen der FlottePoints out means of transport contained in the companies vehicle fleet. + + wine yearWeinjahrгодина флаширања вина + + alma materσπουδέςстудијеальма-матерschools that they attended + + vice leadervicelider + + delegate mayor + + shoe numberschoenmaatnúmero do sapato + + state of origin team + + waterWasserвода + + life expectancyLebenserwartungexpectativa de vida + + draft team + + film colour typespecifies the colour type of the film i.e. 'colour' or 'b/w' + + pseudonympseudoniemPseudonym + + Abteilungdépartementeskualdeaafdelingdepartment + + ist ein Teil vonjest częściąfait partie dees parte deis part of + + old districtAltstadt + + clusterbirlik + + salary ($)μισθός ($)Gehalt ($)給料 ($) + + address in roadAdresse in Straßeδιεύθυνση στον δρόμοАдреса на путуA building, organisation or other thing that is located in the road.Ένα κτήριο, οργανισμός ή κάτι άλλο που βρίσκεται στον δρόμο. + + SATCATSATCATSATCATSATCATsatellite catalogue number, omit leading zeroes (e.g. 25544) + + rebuild dateherbouw datum + + rocketRaketefuséeρουκέτα + + name in Pinyin Chinesenaam in het Pinyin Chinees + + reference for general dataReferenz für allgemeine Daten + + lunar roverMondfahrzeug + + Bioavailability"The rate and extent to which the active ingredient or active moiety is absorbed from a drug product and becomes available at the site of action. For drug products that are not intended to be absorbed into the bloodstream, bioavailability may be assessed by measurements intended to reflect the rate and extent to which the active ingredient or active moiety becomes available at the site of action (21CFR320.1)." + + home arenaHeimarena + + Sterbejahrέτος θανάτουjaar van overlijden没年death year + + date unveileddatum onthullingDesignates the unveiling dateDuidt de datum van onthulling aan + + geneReviewsId + + алијасψευδώνυμοaliasпсевдонимalias別名alias + + former coachEx-Trainer + + gross domestic product rank + + Anzahl der Mitgliederαριθμός μελώνnombre de membresnumero de miembrosnúmero de membrosnumber of members + + Alps supergroupAlps υπερομάδαsupergruppo alpinoАлпска супергрупаthe Alps supergroup to which the mountain belongs, according to the SOIUSA classification + + red list ID NLrode lijst ID NLred list code for treatened species NL (different from IUCN)rode lijst ID van bedreigde soorten in Nederland + + number of turnsnombre de virages + + european affiliationafiliacao europeia + + last flightletzter Flug + + rocket functionpurpose of the rocket + + artistic function + + dissolved + + fat (g)Amount of fat per servingSize of a Food + + latest preview date + + present municipalityaktuelle Gemeindeligt nu in gemeente + + boilerKesselδοχείο βράσης + + Heiligerάγιοςheiligesantosaint + + operating systemλειτουργικό σύστημαBetriebssystembesturingssysteem + + medical diagnosisdiagnostic médicalmedizinische Diagnose + + olympic games silverzilver op de Olympische Spelen + + narratorErzähler + + lower earth orbit payload (g)Payload mass in a typical Low Earth orbit + + programming languageprogrammeringssprogProgrammiersprachelangage de programmation + + bronze medal mixedBronzemedaille gemischt + + number of matches or caps + + maximum areamaximale Fläche + + faculty sizenumber of faculty members + + second driverzweiter Fahrerδεύτερος οδηγόςsecondo pilota + + arrest date + + Ort der Bestattungmiejsce pochówkuτόπος θαψίματοςlloc d'enterramentbegraafplaatsplace of burialThe place where the person has been buried.Ο τόπος όπου το πρόσωπο έχει θαφτεί.De plaats waar een persoon is begraven. + + current productionThe current production running in the theatre. + + flying hours (s)Flugstunden (s) + + Chromosomchromosomχρωμόσωμαcrómasóm染色体chromosome + + map descriptionkaart omschrijving + + Primite + + Herausgeberredaktorσυντάκτηςeagarthóirredacteureditor + + SymbolsymboolSymbolHUGO Gene Symbol + + Hauptsitzsiedzibaαρχηγείοsiègeceanncheathrúheadquarter + + non-fiction subjectnon-fictie onderwerpThe subject of a non-fiction book (e.g.: History, Biography, Cookbook, Climate change, ...). + + number of spansAnzahl der BögenNumber of spans or arches. + + iso code of a placeISO-Code eines Ortes + + versionVersionversie + + ship draft (μ)Schiffsentwurf (μ)The draft (or draught) of a ship's hull is the vertical distance between the waterline and the bottom of the hull (keel), with the thickness of the hull included; in the case of not being included the draft outline would be obtained. + + world tournamentWeltturnierсветски турнир + + A Person's role in an eventRol van een persoon in een gebeurtenisrôle d'une personne dans un événement + + foundationGründung + + piston stroke (μ) + + end year of insertion + + PDB IDPDB IDgene entry for 3D structural data as per the PDB (Protein Data Bank) database + + gross domestic product per people + + gross domestic product purchasing power parity per capita + + surface area (m2)Oberfläche (m2)έκταση (m2) + + connects referenced toverbindt referentieobject metconnects a referenced resource to another resource. This property is important to connect non-extracted resources to extracted onescreëert een verwijzing van het gerefereerde objct naar een ander object. Speciaal van belang voor het verbinden van niet-geëxtraheerde resources met de gebruikelijke resources + + original danse competititon + + significant designbedeutendes Design + + parentheseshaakjes + + DorlandsIDDorlandsIDDorlandsID + + governorate + + status manager + + sourceTextSource of something (eg an image) as text. Use dct:source if the source is described using a resource + + religious orderreligieuze orde + + Genome DBGenome DBthe edition of the database used (i.e. hg19) + + cultivarName of the cultivar (cultivated variety) + + pertescasualtiesVerlusteverliezenNumber of casualties of a MilitaryConflict or natural disaster such as an Earthquake + + branch fromπαράρτημα από + + commissionerKommissaropdrachtgever + + Siedepunkt (K)σημείο βρασμού (K)point d'ébullition (K)kookpunt (K)沸点 (K)boiling point (K) + + victory as manager + + dramaDrama + + blockBlockblok + + ceeb + + wpt titleWPT титула + + agglomeration population totalукупна популација агломерације + + number of rocketsAnzahl der Raketen + + bronze medal singleBronzemedaille Einzel + + settlement attached + + little pool record + + military rankmilitärischer RangThe highest rank achieved by a person. + + purchasing power parity + + racket catching + + width of runway (μ)滑走路の全幅 (μ) + + player in teamSpieler im Teamπαίχτης σε ομάδαA person playing for a sports team. inverseOf teamΆτομο που παίζει για αθλητική ομάδα. + + second + + number of filmsAnzahl der Filmeαριθμός ταινιών + + youth yearsJugendjahreомладинске годинеユース年 + + backhandRückhand + + voltage of electrification (V)Voltzahl der Elektrifizierung (V)Voltage of the electrification system. + + abbey church blessingAbteikirche weiheопатијски црквени благослов + + logoλογότυποlogo + + garrisonGarnison + + population as ofbevolking vanafpopulation en date deχρονιά_απογραφής + + winning teamSiegerteam + + NUTS codeNUTS-code:Nomenclature of Territorial Units for Statistics (NUTS) is a geocode standard for referencing the subdivisions of countries for statistical purposes. The standard is developed and regulated by the European Union, and thus only covers the member states of the EU in detail. + + Trainerεκπαιδευτήςentraîneurtrainertrainer + + landing dateLandedatum + + coachTrainerπροπονητής + + derivative + + reopening dateWiedereröffnungdatumDate of reopening the architectural structure. + + entdecktΗμερομηνία ανακάλυψηςdate de découvertefecha de descubrimientodescobridordiscovery date + + metropolitan boroughstadswijk + + date membership establisheddatum vaststellen ledental + + no contest + + number of goals scoredAnzahl der erzielten Torenumero di goal segnati + + coast line (μ)Küste (μ) + + track length (μ)Streckenlänge (μ)Length of the track. Wikipedians usually do not differentiate between track length and line lenght. + + number of visitors as ofThe year in which number of visitors occurred. + + premiere placeThe theatre and/or city the play was first performed in. + + completion dateημερομηνία ολοκλήρωσηςFertigstellungstermindatum van oplevering + + cable carDrahtseilbahn + + arrondissementarrondissementarrondissementδιαμέρισμα + + academic advisorpromotorακαδημαϊκοί_σύμβουλοιакадемски саветник + + Dorlands prefix + + route type abbreviationThe route type abbreviation (eg.: I for Interstate, M for Motorway or NJ for New Jersey Route). + + ward of a liechtenstein settlement + + summer appearances + + minority leadernumber of office holder + + free flight time (s) + + Geburtsdatumdata urodzeniaημερομηνία_γέννησηςজন্মদিনdate de naissancedáta breithedata de naixementgeboortedatum生年月日birth date + + eruptionAusbruch + + per capita income as ofrenda per capita em + + has natural busttem busto natural + + circuit length (μ) + + Anzahl der gewonnenen Bronzemedaillennomber de médailles de bronze gagnéescantidad de medallas de bronce ganadasaantal gewonnen bronzen medaillesnumber of bronze medals won + + United States National Bridge IDID националног моста у Сједињеним Америчким Државама + + draft year + + end career + + sportSportάθλημαsport + + id + + average depth quoteSource of the value. + + other activityandere Aktivität + + landing siteLandeplatz + + capital elevation (μ) + + Identifier for Duch National ArchiveCode Nationaal Archief + + crown dependency + + end occupation + + prominence (μ) + + Gattunggenre (biologie)género (biología)geslacht属_(分類学)genusA rank in the classification of organisms, below family and above species; a taxon at that rankRang taxinomique (ou taxonomique) qui regroupe un ensemble d'espèces ayant en commun plusieurs caractères similaires. + + state delegate + + chairman title + + split from partyAbspaltung von Partei + + number soldNumber of things (eg vehicles) sold + + engineeringenieurIngenieurμηχανικός + + officer in charge + + cylinder count + + debutντεμπούτοDebütデビュー + + national tournament silver + + call sign meaningThe out written call sign. + + race resultResult of one racer in a sport competition + + EntrezGeneEntrezGene + + peopleNameName for the people inhabiting a place, eg Ankara->Ankariotes, Bulgaria->Bulgarians + + aircraft gunFlugabwehrkanoneΠολυβόλο + + date extendedεπέκταση + + ratio + + wins at ALPGпобеде на ALPG + + play role + + active years end date manager + + enemyFeind + + ra + + minimum elevation (μ)βάση (μ)minimum elevation above the sea level + + inclination + + sharing out population + + other functionandere Funktion + + max + + black ski piste number + + khl draft year + + translated motto + + subsequent worknachfolgende Arbeitenvervolg werkεπόμενη δημιουργία + + restrictionBeschränkungThe use of a thing is restricted in a way.Die Verwendung von etwas ist beschränkt. + + merged settlement + + associated rocketσυνδεόμενος πύραυλος + + shore length (μ)Uferlänge (μ)μήκος_όχθης (μ) + + Höhe (μ)υψόμετρο (μ)altitude (μ)altitud (μ)hoogte (μ)altitude (μ)elevation (μ)ऊँचाई (μ)average elevation above the sea levelaltitude média acima do nível do mar + + source country + + agglomeration demographicsдемографија агломерације + + work area (m2)радни простор (m2)Arbeitsplätze (m2) + + relicsреликвиPhysical remains or personal effects of a saint or venerated person, preserved in a religious building + + number of arrondissement + + gnl + + wimbledon mixedвимблдон микс дубл + + source region + + secondary/other fuel type + + number of academic staffAnzahl der wissenschaftlichen Mitarbeiterαριθμός ακαδημαϊκού προσωπικού + + colorChart + + climateclimaklimaklimaat + + wins at majors + + gross domestic product (GDP) per capitaBruttoinlandsprodukt pro EinwohnerThe nominal gross domestic product of a country per capita.Das nominale Bruttoinlandsprodukt eines Landes pro Einwohner. + + Anzahl der Sportveranstaltungenαριθμός αθλητικών γεγονότωνnumbre d'épreuves sportivesnumero de pruebas deportivasnumber of sports events + + relatedverbundengerelateerd + + chief executive officerGeschäftsführer + + other appearances + + president regional council + + distance to Dublin (μ)απόσταση από το Δουβλίνο (μ) + + specialitySpezialität + + specializationSpezialisierungPoints out the subject or thing someone or something is specialized in (for).Verweist of den Gegenstand (auch fig.) auf welchen jemand oder etwas spezialisiert ist. + + lethal when given to chickensdodelijk voor kippen + + population urban density (/sqkm) + + name in Traditional Chinesenaam in het Traditioneel Chinees + + sub-orderonderorde + + title datetitel datumdata do titulo + + closing yearSluitingsjaarSchließungsjahr + + Bildungéducationopleiding教育education + + focusFokusPoints out the subject or thing someone or something is focused on.Verweist of den Gegenstand (auch fig.) auf welchen jemand oder etwas fokussiert ist. + + publication dateVeröffentlichungsdatumpublicatiedatum + + closing film + + number of SoccerPlayers in Country Reprecelkový počet fotbalový hráčů v reprezentaci + + champion in mixed doublekampioen gemengd dubbelspelchampion en double mixteCampeón en doble mixtowinner of a competition in the mixed double session (as in tennis) + + length of runway (μ)Start- und Landebahnlänge (μ) + + north placelieu au nordindique un autre lieu situé au nord.indicates another place situated north. + + phone prefixTelefonvorwahlDon't use this, use areaCode + + highesthöchsterThe highest mountain of a mountain range.Der höchste Berg eines Gebirges. + + governmentRegierunggouvernement + + updatedажуриранThe last update date of a resourceдатум последње измене + + largest settlementgrößte Siedlunggrootste plaats + + spaceRaum + + associated actσυνδεδεμένη πράξη + + Alps main partκύριο μέρος των άλπεωνgrande parte alpinaглавни део Алпаthe Alps main part to which the mountain belongs, according to the SOIUSA classification + + SprachejęzykγλώσσαlangueteangalinguataallíngualanguageUse dc:language for literal, language for object + + boardεπιβιβάζομαιbestuur取締役会 + + source confluence elevation (μ) + + interestInteresseενδιαφέρον + + south-west placelieu au sud-ouestindique un autre lieu situé au sud-ouest.indicates another place situated south-west. + + chorus character in playThe name of the (Greek) chorus character in play. + + ship launched + + ground + + heisman + + gold medal single + + type seriesBaureihe + + source confluence position + + production yearsProduktionsjahre + + installed capacity (W) + + last launch rocket + + medical causemédical causemedizinische Ursacheαιτία Ιατρικός + + city rankRang StadtPlace of the building in the list of the highest buildings in the cityDer Platz des Gebäudes in der Liste der höchsten Gebäude der Stadt + + lunar moduleMondfähre + + cost ($)Kosten ($)kosten ($)κόστος ($)Cost of building an ArchitecturalStructure, Ship, etc + + fastest driver teamομάδα ταχύτερου οδηγούschnellster Fahrer Team + + episode numberThe episode number of the TelevisionEpisode. + + custodianAufsichtsperson + + parliamentary groupFraktion + + foresterDistrict + + Parteiπάρτυpartij政党party + + party numbernúmero do partido + + number of use of a propertypočet použití property + + dateDatumdatumημερομηνία + + special trial + + other partyandere Partei + + AFDB IDAFDB IDafdb idcódigo no afdbafdb id + + escape velocity (kmh) + + other information of a settlementandere Informationen einer Siedlung + + memberMitgliedlid van + + imposed danse competition + + choreographerChoreographchoreograafχορογράφος + + maximum depth quoteSource of the value. + + appearances in leagueεμφανίσεις στο πρωτάθλημαброј наступа у лиги + + cause of deathcausa de mortTodesursacheprzyczyna śmierci + + licence number + + crew memberBesatzungsmitglied + + joint community + + Hauptstadtπρωτεύουσαcapitalecapitalhoofdstadcapitalcapitalराजधानी + + eyesAugenμάτιαogenΜάτι ονομάζεται το αισθητήριο όργανο της όρασης των ζωντανών οργανισμών. + + is part of anatomical structurees parte de una estructura anatómicaist ein Teil von anatomischer Struktur + + deaneryDekanatproosdijDioceses and parishes should know which deaneries there are + + e-teatr.pl id + + type of surfacetype de surfacetipo de surperficietyp povrchu + + source district + + presenterModeratorπαρουσιαστής + + national team year + + area date + + number of representativesZahl der Vertreter + + note on resting place + + frozengefrorenπαγωμένη + + successful launcheserfolgreiche Starts + + gradesβαθμοί + + BIBSYS Ididentifiant BIBSYSBIBSYS is a supplier of library and information systems for all Norwegian university Libraries, the National Library of Norway, college libraries, and a number of research libraries and institutions. + + δισκογραφικήlabel discographiquecompañía discográficaplatenlabelrecord label + + project end dateProjektendeThe end date of the project. + + registry numberRegistrierungsnummerregisternummerIdentification of the registry a document is in + + JSTORJSTOR number (short for Journal Storage) is a United States-based online system number for archiving academic journals. + + homeportport macierzysty + + nfl code + + number of wineries + + austrian land tag mandate + + fed cup + + stat value + + number of doorsTürenanzahl + + not soluble inniet oplosbaar in + + land registry code + + coemperor + + passengers used systembenutztes System der PassagiereSystem the passengers are using (from which the passenger statistics are). + + is a city stateist ein Stadtstaat + + satellites deployed + + complexityComplexity of preparing a Food (recipe) + + homageHuldigungeerbetoon + + date of an agreement + + incomeEinkommen + + route activityactivité de routedetails of the activity for a road.détail de l'activité sur une route. + + number of parking lots for trucksaantal parkeerplaatsen vrachtwagens + + ratingWertungcijfer + + territoryGebietterritorio + + bronze medal doubleBronzemedaille Doppel + + TERYT codekod TERYTindexing code used by the Polish National Official Register of the Territorial Division of the Country (TERYT) to identify various entities + + ensembleensemble + + The IUPAC International Chemical IdentifierInternationale chemische Bezeichnung der IUPACIUPAC internationale chemische identifier + + dissolution year + + education system + + distance to Belfast (μ) + + star rating + + formulaFormelformuleformule + + year of world champion titleгодина освајања светског шампионатаjaar van wereldkampioen titelannée d'obtention du titre de champion du mondecan be one or several yearsможе бити једна или више годинаil peut s'agir d'une ou de plusieurs années + + model start year + + recent winnerletzter Gewinner + + number of live albumsAnzahl von Live-Albenthe number of live albums released by the musical artist + + major shrinebedeutender Schreinschrijn + + main organ + + timeshift channel + + salesVertriebπώλησηventeThis property holds an intermediate node of the type Sales. + + Establishmentίδρυση + + meaningBedeutung + + noteAnmerkung + + third + + B-Seitestrona btaobh bcara bb side + + subdivision name of the island + + project start dateProjektstartThe start date of the project. + + recorded inopgenomen inηχογράφησηenregistré à + + Anzahl der Mitarbeiterαριθμός εργαζομένωνnombre d'employésnúmero de empleadosaantal medewerkersnumber of employees + + area of searchSuchgebietΠεριοχή Αναζήτησης + + national selectionnationale Auswahl + + date of approval by upper parliamentdatum aangenomen door Eerste Kamer, Hogerhuis, Senaat enz.Date of approval by upper parliament (House of Lords, Sénat, Eerste Kamer etc.). + + majority leadernumber of office holder + + record dateStichtagopname datumηχογράφηση + + number of parking lots for carsaantal parkeerplaatsen personenauto's + + political seats + + special effectsSpezialeffektethe person who is responsible for the film special effects + + Dichte (μ3)πυκνότητα (μ3)densité (μ3)densità (μ3)densidade (μ3)密度 (μ3)density (μ3) + + IATA Location IdentifierΙΑΤΑ + + grinding capabilitymaal capaciteitgrinding capability for Mills + + wins at LAGTпобеде на LAGT + + compression ratioKompressionsverhältnis + + egafd idegafd idcódigo no egafd + + minimum inclination + + river mouthFlussmündungriviermondingεκβολές + + parent organisationmoederorganisatie + + patron saint + + size (B)μέγεθος αρχείου (B)Dateigröße (B)taille de fichier (B)size of a file or softwareμέγεθος ενός ηλεκτρονικού αρχείου + + best rank double + + maximum elevation (μ)κορυφή (μ)maximum elevation above the sea level + + numberOfPropertiesUsednumber of all properties used as predicate in DBpedia + + tournament recordTurnierrekord + + resolutionAuflösungανάλυσηrésolutionNative Resolution + + hof + + official languageAmtssprache + + saturation coordinate in the HSV colour space + + supply + + Ordnungδιαταγήordre (taxonomie)orde目_(分類学)order (taxonomy) + + mill span (μ)vlucht (μ)Εκπέτασμα (μ) + + third driverdritter Fahrer + + orogenyorogenèse + + houseσπίτι + + diseaseKrankheitPoints to a disease pertaining to the subject at hand.Verweist auf eine Krankheit. + + event dateVeranstaltungstermin + + last winletzter Siegτελευταία νίκη + + InterpretwykonawcaκαλλιτέχνηςinterprèteintérpreteartiestperformerThe performer or creator of the musical work. + + denominationReligious denomination of a church, religious school, etc. Examples: Haredi_Judaism, Sunni_Islam, Seventh-day_Adventist_Church, Non-Denominational, Multi-denominational, Non-denominational_Christianity + + grandsire + + gini coefficient rankingposição no ranking do coeficiente de Gini + + rangebereikMaximum distance without refueling + + promotionFörderung + + last championletzter Siegerson şampiyon + + pole position + + cylinder bore (μ) + + laterality + + sceneSzene + + wilayaвилајет + + Ländervorwahlcountry codeCountry code for telephone numbers. + + right child + + name in Hanja-written (traditional) Koreannaam in Hanja-geschreven Koreaans + + illiteracyAnalphabetismusanalfabetismo + + managerManagerπροπονητής + + adjacent settlement of a switzerland settlementСуседно насеље у Швајцарској + + asset under management ($)κεφάλαιο υπό διαχείριση ($) + + selectionAuswahlwhen (or in which project) the person was selected to train as an astronaut + + operatorBetreiberexploitantOrganisation or City who is the operator of an ArchitecturalStructure, PublicTransitSystem, ConcentrationCamp, etc. Not to confuse with builder, owner or maintainer. +Domain is unrestricted since Organization is Agent but City is Place. Range is unrestricted since anything can be operated. + + fatherVater + + clubs record goalscorer + + junior season + + Herkunftπροέλευσηorigineoorsprongorigemorigin + + AggregationAggregatie + + датум почетка активних годинаενεργά χρόνια ημερομηνία έναρξηςdate de début d'activitéactieve jaren startdatumactive years start date + + percentage of fatFettgehaltvetgehaltehow much fat (as a percentage) does this food contain. Mostly applies to Cheese + + number of parking spacesAnzahl der Parkplätze + + drugs.comdrugs.comexternal link to drug articles in the drugs.com websiteVerweist auf den drugs.com Artikel über ein Medikament. + + branchriviertakδιακλαδώσεις + + date of latest election + + NLA IdNLA Trove’s People and Organisation view allows the discovery of biographical and other contextual information about people and organisations. Search also available via VIAF. + + last election dateThe last election date for the house. + + draft round + + associateStarσυγγενικός αστέραςçevreleyen + + previous population total + + dist_pc + + dateinameόνομα αρχείουnom de fichierbestandsnaamfilename + + id number + + danse score + + former teamvoormalig team + + ISNI IdISNI is a method for uniquely identifying the public identities of contributors to media content such as books, TV programmes, and newspaper articles. + + wins at other tournamentsпобеде на осталим турнирима + + number of volumes + + raceRennen + + date constructionBauzeitέναρξη_κατασκευής + + draft pick + + Statusstatutestatusstatusstatus + + dress codeThe recommended dress code for an establishment or event. + + precursorVorläufer + + national championshipnationale Meisterschaft + + regional languageRegionalsprache + + free score competition + + SIL codeSIL-codekod SIL + + Council area + + absolute Helligkeitwielkość absolutnaапсолутна магнитудаαπόλυτο μέγεθοςmagnitude absoluedearbhmhéidabsolute magnitude + + solventLösungsmittel + + publisheruitgeverHerausgeberεκδότηςPublisher of a work. For literal (string) use dc:publisher; for object (URL) use publisher + + population metro density (/sqkm)bevolkingsdichtheid (/sqkm) + + number of sportsnumbre de sportsnumero de deportes + + area metro (m2)περιοχή μετρό (m2)метрополска област (m2) + + wins at LPGAпобеде на LPGA + + FarbeχρώμαcouleurfarvekleurcolourA colour represented by its entity. + + daira + + alongsideδίπλαуз + + country with first satellite launched + + commentKommentarσχόλιο + + agglomerationPopulationYearгодина популације агломерације + + type coordinateScale parameters that can be understood by Geohack, eg "type:", "scale:", "region:" "altitude:". Use "_" for several (eg "type:landmark_scale:50000"). See https://fr.wikipedia.org/wiki/Modèle:Infobox_Subdivision_administrative for examples, and https://fr.wikipedia.org/wiki/Modèle:GeoTemplate/Utilisation#La_mention_Type:... for a complete list + + project reference IDThe reference identification of the project. + + highway systemthe highway system that a route is part of + + ISBNISBNThe International Standard Book Number (ISBN) is a unique numeric commercial book identifier based upon the 9-digit Standard Book Numbering (SBN) code. + + management place + + visitor statistics as ofстатистика посетилаца одYear visitor information was gathered. + + school number + + mean temperature (K)Durchschnittstemperatur (K)μέση θερμοκρασία (K) + + ICD1ICD1ICD1 + + anniversaryJubiläumεπέτειοςгодишњица + + regisseurσκηνοθέτηςréalisateurdirector de cineдиректорinstruktørregisseurfilm directorA film director is a person who directs the making of a film.Un réalisateur (au féminin, réalisatrice) est une personne qui dirige la fabrication d'une œuvre audiovisuelle, généralement pour le cinéma ou la télévision. + + revenue ($)Einnahmen ($)έσοδα ($)chiffre d'affaire ($) + + television seriesFernsehserieτηλεοπτικές σειρές + + creative director + + Komplikationencomplicationsεπιπλοκέςcomplications + + sublimation point (K) + + wins at pgaпобеде на PGA + + passengers per dayPassagiere pro TagNumber of passengers per day. + + UniProtUniProt + + superintendentLeiteropzichter + + wine producedпроизводи вино + + de facto language + + computing platformsome sort of hardware architecture or software framework, that allows this software to run + + date of liberationdatum bevrijding + + ATC prefixATC πρόθεμαpréfix ATC + + clothing sizeKonfektionsgröße + + last positionτελευταία θέση + + number of contries inside en continent + + area of catchment (m2)Einzugsgebiet (m2)λίμνη (m2)подручје слива (m2) + + chancellorKanzler + + has taxontaxon + + Gründungsjahrέτος ίδρυσηςaño de fundaciónoprichtingsjaarfounding year + + Number Of CantonsAantal kantons + + number of people attendingZahl der Teilnehmernúmero de participantesnombre de participants + + european parliament groupgrupo parlamentar europeu + + eruption dateJahr des letzten Ausbruchsjaar uitbarsting + + NRHP typeType of historic place as defined by the US National Park Service. For instance National Historic Landmark, National Monument or National Battlefield. + + wsop win yearгодина освајања WSOP-а + + title doubleDoppeltitel + + title singleEinzeltitel + + number of Person class (entities) in DBpediapočet entit třídy Osoba v DBpedii + + goals in leagueTore in der Ligadoelpunten in de competitieリーグ得点 + + subdivision + + abbey church blessing charge + + managementManagementmanagement + + mayor function of a switzerland settlement + + producesproduziert + + route next stoparrêt suivantnext stop on a route.arrêt suivant sur une route. + + hybridPlants from which another plant (or cultivar) has been developed from + + Swimming styleSchwimmstilZwemslag + + CPUCPUprocessor (CPU)procesor (CPU)CPU of an InformationAppliance or VideoGame (which unfortunately is currently under Software) + + bourgmestre + + NIS codeIndexing code used by the Belgium National Statistical Institute to identify populated places. + + date of approval by lower parliamentdatum aangenomen door Tweede Kamer, Lagerhuis, Bondsdag enz.Date of approval by lower parliament (House of Commons, Chambre des Députés, Bundestag, Tweede Kamer etc.). + + music subgenreMusik Subgenre + + Universitätуниверзитетπανεπιστήμιο大学universityuniversity a person goes or went to.To πανεπιστήμιο είναι εκπαιδευτικό ίδρυμα ανώτατης εκπαίδευσης και επιστημονικής έρευνας που παρέχει πτυχίο πιστοποίησης ακαδημαϊκής εκπαίδευσης. + + worst defeathöchste Niederlageнајтежи пораз + + next eventnächste Veranstaltungvolgende evenementεπόμενο γεγονός + + most successful playermejor jugadorthe best player in a certain sport competition. E.g, in a football competition, the player that scored more goals.el mejor jugador de una cierta competición deportiva. Por ejemplo, en una competición de fútbol, aquel jugador que ha marcado más goles. + + distributing company + + chaplainKaplan + + lead team + + number of studio albumsZahl der Studio-Albenthe number of studio albums released by the musical artist + + combattantfighterKämpfer + + Alps subsectionAlps υποδιαίρεση των άλπεωνsottosezione alpinaАлпска подсекцијаthe Alps subsection to which the mountain belongs, according to the SOIUSA classification + + feat + + end reign + + police nameThe police detachment serving a UK place, eg Wakefield -> "West Yorkshire Police" + + countryLand蔵書数 + + career points + + boiler pressureKesseldruckπίεση δοχείου βράσης + + number of professionalsAnzahl von Fachleutennombre de professionnelsnumero de profesionalesnumber of people who earns his living from a specified activity. + + alumniAlumniαπόφοιτοι πανεπιστημίουалумни + + volcano idid вулкана + + NGC nameName for NGC objects + + allcinema idallcinema idallcinema idallcinema id + + ORCID IdAuthority data on researchers, academics, etc. The ID range has been defined as a subset of the forthcoming ISNI range. + + religious head + + employer's celebration + + Nationalitätεθνικότηταnationaliténationaliteitnacionalidade国籍nationality + + fees ($)Gebühren ($)δίδακτρα ($) + + number of albumsAnzahl der Albenthe total number of albums released by the musical artist + + certificationcertification + + waterway through tunnelпловни пут кроз тунелWasserweg durch TunnelWaterway that goes through the tunnel. + + course area (m2)コース面積 (m2)The area of courses in square meters. + + RefSeq + + statistic year + + project budget funding ($)The part of the project budget that is funded by the Organistaions given in the "FundedBy" property. + + Teamομάδαéquipeteamチームteam + + highest point of the islandhöchste Erhebung der Insel + + aircraft transportαερομεταφορές + + number of roomsAnzahl der Zimmerαριθμός δωματίωνaantal kamers + + defeatήτταNiederlage + + mayorMandate + + system of lawRechtssystemrechtssysteemA referral to the relevant system of law + + appearanceErscheinungsbild + + station visit duration (s) + + ISO 639-3 codeISO 639-3 codekod ISO 639-3 + + SMILESThe Simplified Molecular-Input Line-Entry System or SMILES is a specification in form of a line notation for describing the structure of chemical molecules using short ASCII strings. + + parent mountain peak + + Film Fare Award + + first launch dateerster Starttermin + + BatteriepilebatteriabateríabatterijbateriabatteryPoints out the battery used with/in a thing. + + green coordinate in the RGB space + + election dateWahltermin + + Ceremonial County + + Golden Globe Award + + number of all MuscialArtist playing the instrumentpočet hudebních umělců hrající na konkrétní nástroj + + usurperузурпатор + + train carriagewagon + + lethal when given to ratsdodelijk voor ratten + + binomialDoppelbenennungδιωνυμικός学名 + + bowling sideWerfarm + + principalдиректор (на училище)Principal of an educational institution (school)Директор на училище + + competition titleSterbeort + + rail gauge (μ)Spurweite Eisenbahn (μ) + + personPersonάτομο + + foal date + + number of passengersaantal passagiers + + us open doubleUS Open дубл + + argue dateδημοφιλής ημερομηνία + + page numberSeitenzahlpagina van verwijzingPage # where the referenced resource is to be found in the source document + + wins at championships + + defeat as team managerNiederlage als Trainer + + vice presidentпотпредседникVizepräsident + + licence number label + + project participantProjektteilnehmerA participating organisation of the project. + + political leaderpolitischer Führer + + source confluence region + + date completedολοκλήρωση + + configurationconfiguratieKonfigurationconfiguration + + sport governing body + + provinceProvinzεπαρχίαprovincie + + ICD10ICD10 + + ChemSpider Ididentifier in a free chemical database, owned by the Royal Society of Chemistry + + Fläche (m2)укупна површина (m2)έκταση περιοχής (m2)superficie (m2)oppervlakte (m2)area total (m2) + + route endWegendeEnd of the route. This is where the route ends and, for U.S. roads, is either at the northern terminus or eastern terminus.Ende des Verkehrswegs. + + highest mountainhöchster Berg + + notable commander + + iss dockings + + International Standard Identifier for Libraries and Related Organizations (ISIL) + + official opened by + + Symptomesymptomsσύμπτωμαsymptômes + + professionBerufεπάγγελμαberoep + + redline (kmh) + + OMIM idOMIM idOMIM id + + cargo fuel (g) + + regional councilGemeinderat + + orientationOrientierung + + number of countriesαριθμός χωρώνnúmero de países + + program cost ($) + + currency codeWährungscodecód airgeadraISO 4217 currency designators. + + allianceAllianzσυμμαχίαсавез + + general managerHauptgeschäftsführer + + length reference + + mandate of the president council of the regional council + + cyclist genre + + percentage of a place's population that is literate, degree of analphabetismpercentage van de bevolking dat geletterd is + + temple year + + Amsterdam CodeАмстердам кодAmsterdamse code + + episodeFolge + + mgiidmgiidMouse Genomic Informatics ID + + amateur defeatаматерских пораза + + cover artistcover artistCover artist + + broadcast areaEmpfangsgebietπεριοχή αναμετάδοσης + + mediaMedien + + label of a website + + heritage registerinventaire du patrimoineregistered in a heritage register : inventory of cultural properties, natural and man-made, tangible and intangible, movable and immovable, that are deemed to be of sufficient heritage value to be separately identified and recorded.inscrit à un inventaires dédiés à la conservation du patrimoine, naturel ou culturel, existants dans le monde. + + final publication datelaatste publicatiedatumDatum der finalen AusgabeDate of the final publication.Datum der allerletzten Veröffentlichung des Periodikums. + + release locationUsually used with releaseDate, particularly for Films. Often there can be several pairs so our modeling is not precise here... + + Etat ($)προϋπολογισμός ($)budget ($)budget ($)budget ($) + + RegionregionπεριοχήregioregionThe regin where the thing is located or is connected to. + + former band memberehemaliges Bandmitgliedvoormalig bandlidA former member of the band. + + Goya Award + + silver medal doubleSilbermedaille Doppel + + number of officesAnzahl Bürosαριθμός γραφείωνNumber of the company's offices.Αριθμός γραφείων εταιρείας. + + hue coordinate in the HSV colour space + + INNDCIInternational Nonproprietary Name given to a pharmaceutical substance + + route startpoint de départWeganfangStart of the route. This is where the route begins and, for U.S. roads, is either at the southern terminus or western terminus.point de départ d'une route.Anfang des Verkehrswegs. + + musicFormatmusikFormateThe format of the album: EP, Single etc. + + Flaggeσημαίαbandieravlag (afbeelding)göndere çekmekflag (image)Wikimedia Commons file name representing the subject's flag + + long distance piste kilometre (μ) + + numberOfPredicatesnumber of predicates in DBpedia (including properties without rdf:type of rdf:Property) + + fightKampf + + mukthar of a lebanon settlement + + lead year + + number of entities of Settlement class in countrypočet entit třídy Sídlo v dané zemi + + ethnicityεθνότηταethnische zugehörigkeitetniaΜία ορισμένη κοινωνική κατηγορία ανθρώπων που έχουν κοινή καταγωγή ή εμπειρίες. + + podiumPodest + + subject termonderwerpsaanduidingThe subject as a term, possibly a term from a formal classification + + définitiondefinitiontanımlar + + wins at AUS + + qatar classic + + bluecoordinate in the RGB space + + Währungwalutaνομισματική μονάδαdeviseairgeadravalutamoedacurrencyυπολογίζει ή εκφράζει οικονομικές αξίες + + doctoral studentDoktorandδιδακτορικοί_φοιτητέςdoctoraalstudent + + population placea place were members of an ethnic group are living + + squad numberThe number that an athlete wears in a team sport. + + command module + + number of ministriesZahl der Ministeriennumero de ministerios + + ELO rating + + association of local governmentvereniging van lokale overhedenσυνεργασία της τοπικής αυτοδιοίκησης + + management country + + reigning poperegerende paus + + AdresseадресаδιεύθυνσηadresseадресadresaddressAddress of something as literal. Usually Building, but we also use it for the address of a Region's or Settlement's government + + seniunija + + medalistMedaillengewinnermedalhista + + distributorallumeur + + offered classes + + highest building in year + + disciplineDisziplin + + code Stock Exchangebeurscode + + bildεικόναimageрисунокafbeeldingfigurapictureA picture of a thing.Une image de quelque chose. + + lunar EVA time (s) + + combatantKombattant + + number of studentsZahl der Studierendenαριθμός φοιτητών + + number of reactorsAnzahl der Reaktorennombre de réacteursaantal reactoren + + contractorεργολάβοςAuftragnehmeraannemer + + former channel + + capital position + + SternbildgwiazdozbiórsterrenbeeldTakımyıldızconstellation + + KategorieκατηγορίαcatégoriecategorieKategoriecategory + + creation christian bishop + + molecular weightMolekulargewichtmolgewicht + + approach + + apc president + + total population rankingposição no ranking do total da populacao + + breederZüchterκτηνοτρόφος + + victorySiegпобеда + + NCINCINCINCI + + legislative period nameName in der LegislaturperiodeThe term of the on-going session (e.g.: "40th Canadian Parliament"). + + billed + + patron (art)mécèneAn influential, wealthy person who supported an artist, craftsman, a scholar or a noble.. See alsoCelui qui encourage par ses libéralités les sciences, les lettres et les arts. + + model end date + + gross domestic product as ofproduto interno bruto em + + number of villagesAnzahl der Dörferjumlah desa/kelurahan + + artificial snow area + + full score + + structural systemTragsystembouwmethodeκατασκευαστικό σύστημα + + reopenedwieder eröffnet + + basierend aufna podstawieβασισμένο σεbunaithe arop basis vanbased on + + staffPersonalπροσωπικό + + sister newspaper + + is part of (literal)ist TeilName of another thing that this thing is part of. Use for infobox "part of" properties given as text; for objects use isPartOf + + PubChemPubChemPubChem + + eMedicine subjecteMedicine onderwerp + + Wiki page in degreeReserved for DBpedia. + + highest rankhöchster Ranglistenplatz + + ULAN idUnion List of Artist Names id (Getty Research Institute). ULAN has 293,000 names and other information about artists. Names in ULAN may include given names, pseudonyms, variant spellings, names in multiple languages, and names that have changed over time (e.g., married names). +http://vocab.getty.edu/ulan/$1 + + source state + + author of prefaceAutor des Vorwortsschrijver voorwoord + + endEnde + + Number of votes given to candidateAnzahl der Stimmen für Kandidaten + + wins at ASIA + + equity ($)Gerechtigkeit ($) + + number of seats in parliamentAnzahl der Sitze im Parlamentaantal zetels in parlementnumber of seats in House of Commons-like parliamentsaantal zetels in Tweede-Kamer-achtig parlement + + skillsFähigkeitencompétencesbekwaamheden + + comparablevergleichbarsimilar, unrelated rockets + + Durchmesser (μ)διάμετρος (μ)diamètre (μ)diameter (μ)diameter (μ) + + BAFTA AwardBAFTA Awardβραβείο BAFTA + + statistic label + + route end locationOrt des WegendesThe end location of the route.End-Ort des Verkehrswegs. + + PositionΘέσηpositieポジションposition + + maximum boat beam (μ)μέγιστο_πλάτος_πλοίου (μ) + + orbital flights + + team sizeTeamgröße + + Music Band + + familyFamilietaalfamilierodzina + + code on indexIndexcode + + opponent敵対者Gegner + + vice prime ministerVizeministerpräsidentзаменик премијераvice premier + + solvent with good solubilityLösungsmittel mit guter Löslichkeitgoed oplosbaar in + + settlement code + + funded byιδρύθηκε απόgefördert durchA organisation financing the research project. + + classKlasseτάξηklasse + + avifauna population + + landing vehicle + + bekannt fürznany z powoduγνωστός_γιαconnu pourconocido porbekend omknown forWork, historic event, etc that the subject is known for. Applies to Person, Organization, ConcentrationCamp, etc + + hub airport + + grounds for termination of activitiesreden van opheffing + + distance to Charing Cross (μ) + + Albumалбумαπό το άλμπουμalbumalbum + + start wqs + + british wins + + ept itm + + reference for cultural data + + extinction dateontbindingsdatum!!! Do NOT use this property for non Species related dates!!! - Date when an Organization (eg PoliticalParty, Company) or Species ceased to exist + + team coachedTeam gecoacht + + aircraft helicopter attackHubschrauberangriffεπίθεση ελικοφόρων αεροσκαφώνваздушни напад хеликоптером + + treeBaumδέντρο + + seniority + + number of person in one occupationpočet lidí v konkrétním zaměstnání + + second driver country + + materialMaterialmatériel + + umbrella titleoverkoepelende titel + + ISO 639-2 codeISO 639-2 codekod ISO 639-2 + + twin countryPartnerland + + Tiefe (μ)βάθος (μ)profondeur (μ)diepte (μ)depth (μ)Is a measure of the distance between a reference height and a point underneath. The exact meaning for a place is unclear. If possible, use or to be unambiguous. + + gini coefficient as ofcoeficiente de Gini em + + Establishedetabliert + + Länge (μ)μήκος (μ)longueur (μ)lengte (μ)length (μ) + + has channel + + place of military conflictOrt eines militärischen Konflikts + + maximum area quote + + number of teamsAnzahl der Teamsnumero di squadre + + maximum absolute magnitudemaximale absolute Helligkeitmaximale absolute magnitude + + largest win + + second placezweiter Platz + + solicitor generalGeneralstaatsanwaltadvocaat-generaalhigh-ranking solicitorde advocaat-generaal + + rank of an area + + sport specialtysport specialiteitthe sport specialty the athlete practices, e.g. 'Ring' for a men's artistic gymnastics athlete + + status year + + number of participating athletesAnzahl der teilnehmenden Athletennombre d'athlètes participant + + number of volunteersAnzahl der Freiwilligenαριθμός εθελοντών + + eraεποχή + + game artistゲームデザイナーA game artist is an artist who creates art for one or more types of games. Game artists are responsible for all of the aspects of game development that call for visual art. + + deme + + setting of playThe places and time where the play takes place. + + railway platformsBahnsteigeperronsαποβάθραInformation on the type of platform(s) at the station. + + legal articlewetsartikelarticle in code book or statute book referred to in this legal case + + equipmentAusrüstungεξοπλισμόςuitrusting + + position in which a surface occurs in a text + + notesAnmerkungenσημειώσειςnotesadditional notes that better describe the entity.συμπληρωματικές σημειώσεις που περιγράφουν καλύτερα την οντότητα. + + spur type + + national team match point + + catholic percentage + + size mapGröße der Karte + + Grammy AwardGrammy Award + + academic disciplinewissenschaftliche Disziplinакадемска дисциплинаAn academic discipline, or field of study, is a branch of knowledge that is taught and researched at the college or university level. Disciplines are defined (in part), and recognized by the academic journals in which research is published, and the learned societies and academic departments or faculties to which their practitioners belong. + + death ageηλικία θανάτουSterbealter + + numberOfDisambiguatesnumber of disambiguation pages in DBpedia + + iucn categoryIUCN categorie + + trading nameHandelsname + + boosterπροωθητής + + first ascentErstbesteigung + + FDA UNII codecódigo FDA UNIIFDA Unique Ingredient Identifier (UNII) code for a DBpedia Drug + + IUPAC nameIUPAC名 + + Wikipage revision IDReserved for DBpedia. + + next entity + + nerveNerv + + first winnererster Gewinnerπρώτος νικητής + + techniquetechnischτεχνικήtécnica + + communeKommunecommune + + intercommunality shape + + outflowAbflussεκροή + + Waffeоружјеarmewapenweapon + + number of resource / entities for concrete type of subjectpočet zdrojů / entint pro konkrétní typ subjectu + + cousurper + + current team manager + + classificationKlassifikationcategorieAny string representing a class or category this thing is assigned to. + + movementBewegungbewegingmouvement artistiqueartistic movement or school with which artist is associated + + ship beam (μ)The beam of a ship is its width at the widest point. + + currently used forhuidig gebruikusage actueluso actualCurrent use of the architectural structure, if it is currently being used as anything other than its original purpose. + + frequency (Hz)Frequenz (Hz)συχνότητα (Hz)fréquence (Hz) + + suppliesπαροχές + + topicThema + + start reign + + named afterbenannt nach + + Method of discoveryVerfahren zur Entdeckung + + heirErbe + + highest pointυψηλότερο σημείοhöchste Erhebung + + ski piste kilometre (μ)Skipiste km (μ) + + MeisterπρωταθλητήςchampionCampeónwinnaarchampionwinner of a competitionνικητής ενός διαγωνισμού + + launch padStartrampe + + Game Engineゲームエンジン + + body styleτύπος σώματος + + first publishererster Herausgeberoorspronkelijke uitgever + + total launches + + first flight end date + + highest breakHöchstes Break + + Orthologous Geneオーソロガス遺伝子 + + season manager + + political functionpolitische Funktion + + organisation memberOrganisationsmitgliedIdentify the members of an organisation. + + Geschwisterfrère ou soeurbroer of zus兄弟sibling + + brain info typeτύπος νοητικής πληροφόρησης + + routeRoute + + UTC offsetUTC офсет + + EigentümerwłaścicielιδιοκτήτηςpropriétairedueñoúinéireigenaarownerUsed as if meaning: owned by, has as its owner + + wavelength (μ)Wellenlänge (μ)таласна дужина (μ)longueur d'onde (μ) + + best rank single + + StadiumStadionστάδιο + + exhibitionNotes about an exhibition the object has been to + + on chromosomechromosoom nummerthe number corresponding to the chromosome on which the gene is located + + Bundeslandfederal stateprovincie + + certification datedatum certificatie + + in cemeteryop kerkhof + + variant or variationVariante oder Variationvariant of variatievariant or variation, for example all variations of a color + + pro team + + function end yearlaatste jaar functie + + minimum system requirementsMindestsystemanforderungen + + source elevation (μ) + + firstPopularVote + + station structurestation structuurType of station structure (underground, at-grade, or elevated). + + regional prefectureregionale Präfektur + + competitionWettbewerbcompetitioncompetición + + conviction date + + number of piers in waterAnzahl der Pfeiler in WasserNumber of piers standing in a river or other water in normal conditions. + + astrological signαστρολογικό ζώδιοSternzeichensigno astrológico + + resting place position + + geolocDepartment + + TradeMarkMarca + + first raceerstes Rennen + + binomial authority(学名命名者) + + same namegleicher Name + + row numberZeilennummerregelnummer van verwijzingRow # where the referenced resource is to be found in the source file + + EKATTE codeIndexing code used by the Bulgarian National Statistical Institute to identify populated placesЕдинен класификатор на административно-териториалните и териториалните единици + + editingBearbeitungeagarthóireacht + + vapor pressure (hPa)dampdruk (hPa) + + existenceExistenzείναιΤο είναι αντικατοπτρίζει αυτό που υπάρχει. + + regent ofSubject has served as the regent of another monarch + + orbital eccentricity + + committee in legislatureAusschuss in der LegislativeCommittee in the legislature (eg.: Committee on Economic and Monetary Affairs of the European Parliament). + + reference for politic dataReferenz für politische Daten + + siren number + + timetijdZeitχρόνοςΧρόνος χαρακτηρίζεται η ακριβής μέτρηση μιας διαδικασίας από το παρελθόν στο μέλλον. + + rebuilding yearherbouw jaar + + melting point (K)Schmelzpunkt (K)point de fusion (K)融点 (K) + + minimum area quote + + champion in single malechampion en simple hommeCampeón en simple hombreswinner of a competition in the single male session, to distinguish from the double session (as in tennis) + + roof heightHöhe Dach + + country rankRang LandPlace of the building in the list of the highest buildings in the countryDer Platz des Gebäudes in der Liste der höchsten Gebäude des Landes + + registrationAnmeldung + + number of competitorsAnzahl der Wettbewerber + + AOAOAOAO + + partTeil + + layout + + averageμέσος όροςDurchschnitt + + roadweg + + coach club + + team title + + neighboring municipalityNachbargemeindeaangrenzende gemeentemunicipío adjacente + + TitelΤίτλοςdenominazionetítulotitelタイトルtitle + + orbitsBahnen + + ChEMBLChEMBL is a manually curated chemical database of bioactive molecules with drug-like properties. + + Allocine IDID AllocineID of a film on AllocineID d'un film sur Allocine + + taoiseachtaoiseachhead of government of Ireland + + first winerster Sieg + + open access contentfrei zugänglicher InhaltenAvailability of open access content.Verfügbarkeit von frei zugänglichem Inhalten. + + parent companyMuttergesellschaft + + chief place + + powerMacht + + flash pointvlampuntlowest temperature at which a substance can vaporize and start burning + + australia open double + + distance to Edinburgh (μ)απόσταση από το Εδιμβούργο (μ) + + upper ageгорња старосна граница + + former namefrüherer Nameπροηγούμενο όνομα + + National Film AwardNationaler Filmpreis + + subsystemTeilsystem + + output + + ACT scoreACT σκορACT резултатmost recent average ACT scoresποιό πρόσφατες μέσες βαθμολογίες ACT + + caseFall + + coalitionKoalitionσυνασπισμόςΠαλαιότερα ο συνασπισμός χρησιμοποιούνταν ως στρατιωτικός όρος που υποδήλωνε την όμορη παράταξη πολεμιστών κατά την οποία ο κάθε στρατιώτης προφύλασσε τον διπλανό του με την ασπίδα του. + + spikeschmetternκαρφίsmaç + + area water (m2)oppervlakte water (m2)έκταση_υδάτων_περιοχής (m2)водена површина (m2) + + subsystem link + + ski tow + + old team coached + + Bürgermeisterδήμαρχοςmaireburgemeestermayor + + String designation of the WrittenWork describing the resourceAanduiding beschrijvend document + + manufacturerHerstellerκατασκευαστής + + Academy AwardNagroda Akademii FilmowejоскарΒραβείο ακαδημίαςDuais an AcadaimhAcademy Award + + launch siteStartplatz + + Computing input + + manager season + + monument protection statusmonumentStatusThe sort of status that is granted to a protected Building or Monument. This is not about being protected or not, this is about the nature of the protection regime. E.g., in the Netherlands the protection status 'rijksmonument' points to more elaborate protection than other statuses.Aanduiding van het soort beschermingsregime. Bijv. 'rijksmonument' in Nederland of 'Monument Historique' in Belgie of Frankrijk + + associated bandσυνεργαζόμενο συγκρότημα + + floor countverdiepingenαριθμός ορόφων + + colour hex code of away jersey or its partsFarben Hex Code des Auswärtstrikots oder Teile diesesA colour represented by its hex code (e.g.: #FF0000 or #40E0D0). + + us open mixedUS Open микс дубл + + UCI codecodice UCIOfficial UCI code for cycling teams + + politicianPolitikerThe politician exercising this function.Der Politiker welcher dieses Amt hält (hielt). + + LCCN IdLibrary of Congress Control Number + + dynastyDynastiedynastie + + athletics disciplineLeichtathletikdisziplin + + lieutenancy + + total time person has spent in space (s)Gesamtzeit welche die Person im Weltraum verbracht hat (s) + + valvetrainVentilsteuerungdistribution (moteur) + + Religionθρησκείαreligionreligiereligião宗教religion + + agglomeration populationпопулација агломерације + + Dutch artwork codecode RKD + + mount + + biome生物群系 + + NAACP Image Award + + aircraft fighterборбени авионμαχητικό αεροσκάφος + + IBDB IDThe Internet Broadway Database ID (IBDB ID) from ibdb.com. + + Screen Actors Guild Award + + ingredient name (literal)Main ingredient used to prepare a specific Food or Beverage. For strings use ingredientName, for objects use ingredient. + + Typτύποςtypetipotypetypeप्रकार + + line length (μ)Linienlänge (μ)Length of the line. Wikipedians usually do not differentiate between track length and line lenght. + + birth sign + + goals in national teamTore in der Nationalmannschaftinterland doelpunten代表得点 + + gas chambersNumber or description of gas chambers of a ConcentrationCamp + + GARDNumGARDNumGARDNumGARDNum + + number of pads + + share source + + wha draftWHA драфт + + other branchzijtak + + session numbernúmero da sessão + + KEGGBioinformatics resource for deciphering the genome. + + islandInselνησιά + + has input + + final lostFinale verloren + + oversight + + country with first satellite + + number of dependency + + music byMusik von + + event descriptionbeschrijving gebeurtenis + + khl draft team + + Gray pageRefers to the famous 1918 edition of Gray's Anatomy. + + galicianSpeakersDatedata da enquisa sociolingüísticaThe last inquiry date about linguistics uses.data da última enquisa sociolingüística. + + tournament of championsTurnier der Meister + + governorGouverneurκυβερνήτηςgouverneur + + race winsSiege + + champion in double malechampion en double hommesCampeón en doble hombreswinner of a competition in the male double session (as in tennis) + + media itemMultimediaelementA media file (such as audio, video or images) associated with the subject + + victim (resource)das Opfer (resource)жртва (resource)Specific (eg notable) person, or specific class of people (eg Romani) that are victim of a ConcentrationCamp, Criminal, SerialKiller, or some other atrocity + + gold medalistGoldmedaillengewinnermedalha de ourogouden medaille drager + + original danse score + + ski liftSkilift + + doubles rankingsDoppelrangliste + + incumbentAmtsinhaberplaatsbekleder + + Ordination + + mayor title of a hungarian settlement + + Bezirkπεριοχήstreekdistritodistrictजिला + + Olympischer Eidolympic oath sworn bylecteur du serment olympique + + publicly accessibleöffentlich zugänglichdescribes in what way this site is accessible for public + + manager title + + CAS numbernuméro CASCAS番号Chemical Abstracts Service number. Applicable to ChemicalCompound or Biomolecule (eg Protein) + + crossesδιασχίζει + + orbital inclinationBahnneigung + + ÜbersetzerμεταφραστήςtraducteurvertalertranslatorTranslator(s), if original not in English + + Beschäftigungactivitéberoep職業occupation + + Geburtsortmiejsce urodzeniaτόπος_γέννησηςlieu de naissanceáit bhreithelloc de naixementgeboorteplaats出生地birth placewhere the person was born + + flag caption + + municipalityGemeindeplaatsmunicipalité + + locality of a switzerland settlement + + appearances in national teamεμφανίσεις στην εθνική ομάδαброј наступа у националном тиму + + webcastwebcastwebcastThe URL to the webcast of the Thing. + + Wikipage disambiguatesReserved for DBpedia. + + rank in final medal count + + startStart + + thumbnail caption + + operating income ($)Betriebsergebnis ($) + + IMDB idIMDB idimdb idIMDb idInternational Movie Database ID. Applies to Films, Actors, etc + + missionsMissionenαποστολές + + sharing out year + + source confluence mountain + + head cityville dirigeanteciudad a la cabezaадминистративни центар (град)city where stand the administrative powerville où siège le pouvoir administratif + + επιφάνεια απόReserved for DBpedia. + + sub-familyUnterfamilieonderfamilie + + aircraft helicopter multiroleMehrzweck-Hubschrauberελικοφόρο αεροσκάφος πολλαπλών ρόλωνвишенаменски хеликоптер + + facility ididentificativo dell'impianto + + outskirts + + organ systemthe organ system that a anatomical structure belongs to + + dec + + lunar surface time (s) + + number of clubsAnzahl der Clubsnombre de clubsnumero de clubs + + majority floor leadernumber of office holder + + lowest mountainχαμηλώτερο βουνόmontagne la plus basse + + activityδραστηριότηταAktivitätактивност + + Number Of Federal DeputiesAnzahl der Bundesabgeordnetennumero de deputados federais + + mouth state + + novelRoman + + Wikipage page IDReserved for DBpedia. + + Gene Location遺伝子座 + + retired rocket + + alternative namealternativer Namenaamsvariantалтернативни називAlternative naming of anything not being a Person (for which case foaf:nick should be used). + + catererhoreca + + aircraft helicopterHubschrauberхеликоптерελικοφόρο αεροσκάφος + + first appearance + + blazon ratio + + catch + + livingPlace + + colour hex code of home jersey or its partsFarben Hex Code des Heimtrikots oder Teile diesesA colour represented by its hex code (e.g.: #FF0000 or #40E0D0). + + Kochchefchef cuisiniersous-chefchef + + australia open single + + seasonSaisonsezon + + top scorerTorschützenkönigen golcü + + reign name + + origo + + neighbourhood of a hungarian settlement + + federationVerband + + gini coefficient categorycategoria do coeficiente de Gini + + maintained bygewartet von + + station EVA duration (s) + + source mountain + + parliament type + + mir dockings + + BelieversGläubige + + horse riding discipline + + Member of ParliamentAbgeordnete + + human development index as ofÍndice de desenvolvimento humano em + + publicationVeröffentlichung + + winter appearancesзимски наступи + + premiere dateDate the play was first performed. + + city link + + SELIBR IdAuthority data from the National Library of Sweden + + administrative centerVerwaltungszentrumадминистративни центар + + Baujahrгодина изградњеέτος κατασκευήςbouwjaaryear of constructionThe year in which construction of the Place was finished.Година када је изградња нечега завршена.Το έτος στο οποίο ολοκληρώθηκε η κατασκευή ενός μέρους. + + landeshauptmann + + area urban (m2)Stadtgebiet (m2)αστική περιοχή (m2)урбана површина (m2) + + curatorKuratorconservator + + familierodzinaοικογένειαfamillefamilie科_(分類学)family + + executive producerAusführender Produzent + + transmissionGetriebeμετάδοση + + personName + + number of participating female athletesZahl der teilnehmenden Sportlerinnenαριθμός συμμετεχόντων γυναικών αθλητριώνnombre d'athlètes participant féminins + + road start directionHimmelsrichtung des WegstartsEnd of the route. For U.S. roads, this should be either "South" or "West" per the standards set by the U.S. Roads project.Himmelsrichtung des Anfangs des Verkehrsweges. + + final lost team + + meeting roadzusammentreffende StraßeA road that crosses another road at the junction.Eine Straße die an der Kreuzung eine andere Straße kreuzt. + + sport disciplineSportdisziplindiscipline sportivetak van sportthe sport discipline the athlete practices, e.g. Diving, or that a board member of a sporting club is focussing at + + wins at KLPGAпобеде на KLPGA + + film versionverfilmd als + + able to grindmahlenfähigmaalvaardig + + highest placehöchster Platz + + canonized placeheiligverklaring plaats + + settlementSiedlungluogo abitato (insediamento) + + number of entrancesAnzahl der Eingängeαριθμός εισόδωνaantal ingangen + + most successfullam erfolgreichstenen başarılı + + sexual orientationsexuelle Orientierungorientação sexual + + senior + + value coordinate in the HSV colour space + + international affiliationafiliacao internacional + + Penalties Team B + + character in playName of a character in play. + + number of trailsコース数Number of trails in ski area. + + size blazon + + area of water (m2)површина воде (m2) + + torque output (Nm) + + name in ancient Greekgriechische Nameoudgriekse naam + + number of episodesAnzahl der Episodenαριθμός επειδοδίων + + cannon number + + campusCampusπανεπιστημιούποληΠανεπιστημιούπολη εννοείται κάθε πολεοδομικό συγκρότημα που προσφέρει οικιστικές, διδακτικές και ερευνητικές διευκολύνσεις στους φοιτητές ενός πανεπιστημίου. + + engine type + + mouth district + + prefectPräfekt + + source place + + bgafd idbgafd idcódigo no bgafd + + limit + + silver medal singleSilbermedaille Einzel + + wimbledon doubleвимблдон дубл + + governor general + + population rural + + Startdatumdate de débutfecha de iniciostartdatumstart dateThe start date of the event. + + former highschoolehemalige Highschool + + continental tournament + + silver medal mixedSilbermedaille gemischt + + cantonKantonkantoncanton + + political party in legislaturepolitische Partei in der LegislativePolitical party in the legislature (eg.: European People's Party in the European Parliament). + + Ariel AwardAriel AwardARIEL награда + + amateur victoryaматерских победа + + refseq proteinrefseq protein + + wha draft teamWHA тим који је драфтовао играча + + person that first ascented a mountainPerson , die zuerst einen Berg bestiegen hat + + total area rankingσυνολική περιοχήукупна површина ранг + + olympic games winsoverwinningen op de Olympische Spelen + + main domain + + Abkürzungskrótскраћеницаσυντομογραφίαabréviationgiorrúchánafkortingabbreviation + + year of first ascentJahr der Erstbesteigungjaar van de eerste beklimming + + route numberRoutennummerThe number of the route. + + secondPopularVote + + frequently updatedhäufig aktualisiert + + national teamNationalmannschaftnationaal team代表国 + + film number + + co executive producer + + chainKetteαλυσίδαThe (business) chain this instance is associated with. + + V_hb + + serving railway linespoorlijnenangebundene EisenbahnlinieRailway services that serve the station. + + current cityaktuelle Stadt + + continental tournament bronze + + Architektarchitektархитектаαρχιτέκτοναςarchitectearchitettoailtireархитекторarchitectarchitect + + flag bearerFahnenträger + + apoapsis (μ)Apoapsisdistanz (μ)απόαψης (μ)апоапсис (μ) + + Breite (μ)ширина (μ)πλάτος (μ)ancho (μ)breedte (μ)width (μ) + + minimum discharge (m³/s) + + capital place + + deputyStellvertreter + + date when the island has been discoveredDatum als die Insel entdeckt wurdedatum waarop het eiland is ontdekt + + lunar landing site + + is part of military conflictist Teil des militärischen Konflikts + + school board + + componentKomponente + + rebuilding date + + broadcast networkSendergruppeτηλεοπτικό κανάλιchaîne de télévision généralisteThe parent broadcast network to which the broadcaster belongs.Die Sendergruppe zu dem der Rundfunkveranstalter gehört. + + decommissioning datefecha de baja de servicio + + military commandMilitärkommandoFor persons who are notable as commanding officers, the units they commanded. Dates should be given if multiple notable commands were held. + + number of settlementZahl der Siedlungen + + full competition + + introduction dateEinführungsdatum + + minimum preparation time (s)Minimum preparation time of a recipe / Food + + population density rural (/sqkm) + + longNamevolledige naam + + destinationZielπροορισμός + + team managerTeam-Manager + + market capitalisation ($)Marktkapitalisierung ($) + + appointer + + top floor heightHöhe der höchsten Etage + + year of elevation into the nobilityJahr der Erhebung in den Adelsstandjaar van verheffing in de adelstand + + ethnic groups in year + + firstLeaderπρώτος ηγέτης + + battle honours + + clip up number + + chairpersonVorsitzendervoorzitter + + first publication yearJahr der Erstausgabeπρώτο έτος δημοσίευσηςYear of the first publication.Jahr der ersten Veröffentlichung des Periodikums.Έτος της πρώτης δημοσίευσης. + + Augenfarbekolor oczuχρώμα ματιούdath súilecor dos olhoseye color + + partial failed launchestotal number of launches resulting in partial failure + + dead in fight place + + jutsu + + name dayονομαστική εορτήimieniny + + mill code NLmolen code NL + + shoe sizeSchuhgrößeschoenmaatnúmero do sapato + + gene location endlocus eindpunt遺伝子座のエンド座標the end of the gene + + champion in doublekampioen dubbelchampion en doubleCampeón en doblewinner of a competition in the double session (as in tennis) + + biggest citygrößte Stadt + + gamesspilSpieleαγώνες + + continental tournament gold + + locationNameLocation of the thing as string. Use "location" if the location is a resource + + sire + + valueWertvaleurвредност + + rivalRivale + + Siegeпобедеνίκεςzegeswins + + fuel consumptionκατανάλωση καυσίμουKraftstoffverbrauchbrandstofverbruik + + long distance piste number + + mascotMaskottchenmascotemascottesomething, especially a person or animal, used to symbolize a sports team, company, organization or other group.Animal, poupée, objets divers servant de porte-bonheur ou d’emblème. + + project budget total ($)Gesamtprojektbudget ($)The total budget of the research project. + + Periode des Periodensystemsokres układu okresowegopeiriad an tábla pheiriadaighпериод периодической таблицыperíode de la taula periòdicaelement periodIn the periodic table of the elements, elements are arranged in a series of rows (or periods) so that those with similar properties appear in a column.En la taula periòdica dels elements, un període és una filera de la taulaUnter einer Periode des Periodensystems versteht man in der Chemie jede Zeile des Periodensystems der Elemente.строка периодической системы химических элементов, последовательность атомов по возрастанию заряда ядра и заполнению электронами внешней электронной оболочки. + + left tributarylinker Nebenflussαριστεροί_παραπόταμοι + + shoots + + Farbennameόνομα χρώματοςnom de couleur色名colour nameA colour represented by a string holding its name (e.g.: red or green).Ένα χρώμα που αναπαρίσταται από μια ακολουθία χαρακτήρων που αντιπροσωπεύει το όνομά του (π.χ.: κόκκινο ή πράσινο). + + start year of sales + + introducedeingeführt + + autonomyAutonomieαυτονομία + + Modus the game can be played in + + population quote + + initally used foranfänglich verwendetusage initialuso inicialInitial use of the architectural structure. + + most down point of a norwegian settlement + + dayTagημέραjour + + filmταινίαfilmfilmfilmfilm + + Golden Calf Award + + trusteeTreuhänder + + other nameanderer Name + + selection yearAuswahljahr + + olympic games goldgoud op de Olympische Spelen + + commissioning datefecha de entrada en servicio + + minimum areaMindestfläche + + playing time (s)Spielzeit (s)speeltijd (s) + + super-familysuperfamilie + + function start year + + gallery itemGalerieelementA file contained in a gallery + + capital mountain + + decoration + + Volumen (μ³)запремина (μ³)όγκος (μ³)volume (μ³)volume (μ³)volume (μ³) + + stellar classificationspectraalklasse + + Wikipage modification datetimeReserved for DBpedia '''''' + + growing grape + + instrumentInstrumentόργανοinstrument + + lowest altitude最低地点標高 + + place of worshipKultstättegebedsplaatsA religious administrative body needs to know which places of worship itEen kerkelijke organisatie houdt bij welke gebedshuizen ze heeft + + trainer yearstrainersjaren + + production end yearproductie eindjaar + + acting headteacherδιευθυντής σχολείουвд шефа наставе + + τύπος μύλουmill typemolen-type + + Peabody Award + + Collegekoledżκολλέγιοhaute écolecollege + + bridge carriesγέφυρα μεταφοράςType of vehicles the bridge carries. + + Archipelархипелагαρχιπέλαγοςarchipelarchipelago + + kind of criminal action + + primary fuel type + + short prog competition + + other + + mayor councillor + + located in arealandstreek + + ski piste numberSkipistennummer + + date of burialDatum der Beerdigungdatum begrafenis + + ICDOICDO + + number of entities of Person class born in the placepočet entit třídy Osoba narozených na konkrétním místě + + number of launchesAnzahl von Starts + + construction materialυλικό κατασκευήςbouwmateriaalBaumaterialConstruction material (eg. concrete, steel, iron, stone, brick, wood). + + displacement (μ³)cilindrada (μ³) + + project typeProjekttypThe type of the research project. Mostly used for the funding schemes of the European Union, for instance: Specific Targeted Research Projects (STREP), Network of Excellence (NoE) or Integrated Project. + + buildingTypeΤύπος κτιρίουsoort gebouwType is too general. We should be able to distinguish types of music from types of architectureType is te algemeen. We moeten soorten muziek van soorten gebouwen kunnen onderscheidenΟ τύπος είναι πολύ γενικό.Θα πρέπει να είναι σε θέση να διακρίνουν τα είδη της μουσικής από τους τύπους της αρχιτεκτονικής + + reign + + date disappearance of a populated place + + City district code + + mountain rangeGebirgebergketen + + final publication yearJahr der finalen AusgabeYear of the final publication.Jahr der allerletzten Veröffentlichung des Periodikums. + + east placelieu à l'estindique un autre lieu situé à l'est.indicates another place situated east. + + costume designercostumistathe person who is responsible for the film costume design + + religious head label + + distance (μ)Entfernung (μ) + + davis cup + + last pro matcherstes Profispiel + + black coordinate in the CMYK space + + a municipality's new nameneuer Name einer Gemeindenieuwe gemeentenaam + + Mottoσύνθημαdevisemottolemamotto + + Footednesshabilidade com o péa preference to put one's left or right foot forward in surfing, wakeboarding, skateboarding, wakeskating, snowboarding and mountainboarding. The term is sometimes applied to the foot a footballer uses to kick. + + death causedoodsoorzaakTodesursacheαιτία_θανάτου + + patentPatentpatente + + polePol + + oldcode + + decayαποσύνθεση + + predecessorvoorgangerVorgänger前任者 + + NSSDC ID + + iafd idiafd idcódigo no iafd + + showJudge + + Laufzeit (s)διάρκεια (s)durée (s)duur (s)runtime (s) + + Zeitzonestrefa czasowaζώνη_ώρας1fuseau horairehuso horariozona horàriatijdzonefuso horariotime zone + + ranking winsSiege in Ranglistenturnieren + + performerKünstler + + closing dateημερομηνία κλεισίματοςdate de fermeture + + boroughBezirkδήμοςstadsdeel + + agglomeration areaBallungsraumобласт агломерације + + highschoolGymnasium + + cyanic coordinate in the CMYK space + + wins at sunпобеде на SUN + + power output (W)Ausgangsleistung (W) + + building end yearbouw eindjaarέτος λήξης κατασκευής + + Indicates an annotation associated with this document + + maximale Tiefe (μ)μέγιστο_βάθος (μ)maximum depth (μ)profondeur maximale (μ)Source of the value can be declare by . + + rank of a population + + event periodVeranstaltungsdauerperiodepériode + + notableIdea + + unique reference number (URN)DfE unique reference number of a school in England or Wales + + comitat of a settlement + + stylistic originstilistische Herkunftorigens estilísticas + + Ordnungszahlliczba atomowauimhir adamhachatoomnummeratomic numberdie Anzahl der Protonen im Atomkern eines chemischen Elements, deshalb auch Protonenzahl.liczba określająca, ile protonów znajduje się w jądrze danego atomuIs eard is uimhir adamhach (Z) adaimh ann ná líon na bprótón i núicléas an adaimh sinhet atoomnummer of atoomgetal (symbool: Z) geeft het aantal protonen in de kern van een atoom aan.the ratio of the average mass of atoms of an element (from a single given sample or source) to 1⁄12 of the mass of an atom of carbon-12 + + leadershipFührung + + penalty score + + sentenceSatz + + spacestationraumstationspace station that has been visited during a space missionRaumstation, die während einer Raummission besucht wurde + + Vorwahlпозивни бројκωδικός_περιοχήςindicatif régionalместный телефонный кодnetnummerarea codeदूरभाष कोडArea code for telephone numbers. Use this not phonePrefix + + cooling systemKühlsystem + + free + + pastor + + merged withzusammengeschlossen + + SIMC codeShould be a datatype property + + designer company + + engineMotorμηχανήmotor + + AFI Awardβραβείο AFIAFI награда + + endangered sincegefährdet seitem perigo desde + + prove code + + announcedFrom + + watercourseWasserlaufводоток + + ISSNISSNissnISSNISSNissnInternational Standard Serial Number (ISSN) + + Dutch RKD codeCode Rijksbureau voor Kunsthistorische Documentatie + + lethal when given to rabbitsdodelijk voor konijnen + + height above average terrain (μ) + + ProduzentproducentπαραγωγόςпродюсерproducentproducerThe producer of the creative work. + + railway line using tunnelTunnel benutzende EisenbahnlinieRailway line that is using the tunnel. + + piscicultural population + + createderstellt + + ChEBIA unique identifier for the drug in the Chemical Entities of Biological Interest (ChEBI) ontology + + relief + + digital channelDigitalkanalΨηφιακό κανάλιΈνα ψηφιακό κανάλι επιτρέπει την μετάδοση δεδομένων σε ψηφιακή μορφή. + + Flugzeugtypтип летелицеτύπος αεροσκάφουςtipo de aviónaircraft type + + leader titleτίτλος_αρχηγούशासक पद + + jure language + + urban areaStadtgebietурбано подручје + + prospect league + + beatified placezalig verklaard plaats + + maiden voyage + + type of yeastHefeartegistsoort + + nomineeKandidat + + ept title + + monthμήναςMonat + + architectural movementArchitekturbewegungархитектонски покрет + + destruction datesloopdatumημερομηνία καταστροφής + + olympic oath sworn by judge + + reopening yearheropening jaarYear of reopening the architectural structure. + + impact factor as ofImpact Factor ist vonCensus year of the imapct factor.Erhebungsjahr des Impact Factors. + + number of members as ofnumero de membros em + + chairmanVorsitzenderπρόεδρος + + ncaa season + + danse competition + + linguistics tradition + + note on place of burial + + name in Yue Chinesenaam in het Kantonees Chinees + + productproductProduktπροϊόν + + Zugriffприступπρόσβασηtoegangaccess + + American Comedy Awardαμερικάνικο βραβείο κωμωδίαςамеричка награда за комедију + + demolition dateημερομηνία κατεδάφισηςThe date the building was demolished. + + lunar sample mass (g) + + affiliate + + authorityBehördeautoriteitαρχή + + UN numberUN Nummernuméro ONUfour-digit numbers that identify hazardous substances, and articles in the framework of international transport + + OdorGeruch + + drains to + + number of MuscialArtist class (entities) in DBpediapočet entit třídy MuscialArtist v DBpedii + + film audio typespecifies the audio type of the film i.e. 'sound' or 'silent' + + longtypecan be used to include more informations e.g. the name of the artist that a tribute album is in honor of + + source confluence place + + parishGemeinde + + campus size (m2) + + genderφύλοGeschlechtgeslacht + + apofocusapofocus + + head chefKüchenchefchef-kok + + area rural (m2)αγροτική περιοχή (m2)рурална област (m2) + + related placessoortgelijke plaatsenThis property is to accommodate the list field that contains a list of, e.g., monuments in the same townDeze property is voor de lijst van monumenten die horen bij het monument van de infobox + + best year wsop + + wpt final tableWPT финале + + classe (biologie)clase (biología)klasse綱_(分類学)classisthe living thing class (from the Latin "classis"), according to the biological taxonomyTroisième niveau de la classification classique (c’est-à-dire n’utilisant pas la notion de distance génétique) des espèces vivantes (voir systématique). + + decide date + + quotationZitatcitationcitaA quotation is the repetition of one expression as part of another one, particularly when the quoted expression is well-known or explicitly attributed by citation to its original source.Une citation est la reproduction d'un court extrait d'un propos ou d'un écrit antérieur dans la rédaction d'un texte ou dans une forme d'expression orale.En su acepción más amplia, una cita es un recurso retórico que consiste en reproducir un fragmento de una expresión humana respetando su formulación original. + + previous infrastructurevorherige Infrastrukturvorige infrastructuur + + draft league + + hair colourHaarfarbe + + school patron + + co producerCo-Produzent + + type of storageArt der Lagerunglagering + + tvShowFernsehsendung + + barangays + + manager years監督年 + + mainspan (μ)portée principale (μ)κύρια καμάρα (μ) + + number of crewαριθμός πληρώματοςaantal bemanningsleden + + average speed (kmh)Durchschnittsgeschwindigkeit (kmh)μέση ταχύτητα (kmh)The average speed of a thing.Η μέση ταχύτητα ενός πράγματος. + + current statusaktueller Statushuidige status + + is part of wine regionist ein Teil der Weinregion + + subgenusUntergattungondergeslachtA rank in the classification of organisms, below genus ; a taxon at that rank + + discharge average (m³/s) + + capacityKapazitätcapacitéNumber of people who can be served by a Train or other service; or participate in a SoccerClub, CricketTeam, etc + + aita codeAITA код + + date closedτερματισμός_λειτουργίας + + number of holes + + mill code NLmolen code NLmills code from the central Dutch database on millsunieke code voor molens in www.molendatabase.nl + + romanianNewLeu + + + milliampere + + + megawattHour + + + azerbaijaniManat + + + latvianLats + + + rod + + + newtonMetre + + + cubicDecimetre + + + nicaraguanCórdoba + + + calorie + + + libyanDinar + + + georgianLari + + + imperialBarrelOil + + + standardAtmosphere + + + guatemalanQuetzal + + + gram + + + papuaNewGuineanKina + + + cubicInch + + + hectare + + + indianRupee + + + pond + + + gigawattHour + + + kilogramPerCubicMetre + + + squareMile + + + hungarianForint + + + mauritanianOuguiya + + + lebanesePound + + + bermudianDollar + + + russianRouble + + + guyanaDollar + + + northKoreanWon + + + FlowRate + + + egyptianPound + + + cambodianRiel + + + footPerMinute + + + newZealandDollar + + + volt + + + bit + + + cubanPeso + + + bosniaAndHerzegovinaConvertibleMarks + + + iraqiDinar + + + xsd:gMonthDay + + + thaiBaht + + + squareKilometre + + + Area + + + icelandKrona + + + megametre + + + poundPerSquareInch + + + furlong + + + Voltage + + + kilolitre + + + usDollar + + + Volume + + + perCent + + + kilogram + + + maldivianRufiyaa + + + gramPerMillilitre + + + ugandaShilling + + + arubanGuilder + + + milePerHour + + + ounce + + + gigametre + + + millihertz + + + microvolt + + + saudiRiyal + + + xsd:string + + + kiloampere + + + xsd:double + + + dominicanPeso + + + kuwaitiDinar + + + decimetre + + + cubicMile + + + australianDollar + + + poundSterling + + + lightYear + + + fathom + + + poundal + + + kilopond + + + Length + + + kilometrePerSecond + + + kilovolt + + + imperialGallon + + + engineConfiguration + + + PopulationDensity + + + stone + + + erg + + + minute + + + southAfricanRand + + + xsd:integer + + + turkishLira + + + hand + + + mongolianTögrög + + + ghanaianCedi + + + macedonianDenar + + + kilonewton + + + metrePerSecond + + + fuelType + + + brazilianReal + + + brakeHorsepower + + + bangladeshiTaka + + + belizeDollar + + + decibar + + + centimetre + + + haitiGourde + + + samoanTala + + + Mass + + + Force + + + centilitre + + + megabit + + + cubicMetrePerSecond + + + armenianDram + + + venezuelanBolívar + + + chileanPeso + + + xsd:time + + + philippinePeso + + + croatianKuna + + + trinidadAndTobagoDollar + + + hectometre + + + tajikistaniSomoni + + + giganewton + + + gigahertz + + + cubicHectometre + + + megabyte + + + namibianDollar + + + kyrgyzstaniSom + + + singaporeDollar + + + gigalitre + + + japaneseYen + + + inch + + + pascal + + + megavolt + + + Speed + + + squareFoot + + + kilohertz + + + estonianKroon + + + millibar + + + serbianDinar + + + gibraltarPound + + + nautialMile + + + renminbi + + + bahrainiDinar + + + kilogramPerLitre + + + footPound + + + millilitre + + + footPerSecond + + + megalitre + + + acre + + + nigerianNaira + + + barbadosDollar + + + gramPerKilometre + + + Energy + + + unitedArabEmiratesDirham + + + swaziLilangeni + + + kilopascal + + + perMil + + + gigawatt + + + nanonewton + + + kilobit + + + djiboutianFranc + + + uzbekistanSom + + + hectopascal + + + foot + + + polishZłoty + + + Density + + + algerianDinar + + + xsd:gDay + + + norwegianKrone + + + canadianDollar + + + kilometre + + + turkmenistaniManat + + + degreeCelsius + + + danishKrone + + + xsd:gYearMonth + + + decametre + + + hour + + + metre + + + belarussianRuble + + + euro + + + seychellesRupee + + + swedishKrona + + + myanmaKyat + + + centralAfricanCfaFranc + + + terawattHour + + + rdf:langString + + + ampere + + + ElectricCurrent + + + Ratio + + + cubicMetrePerYear + + + mozambicanMetical + + + angolanKwanza + + + squareNauticalMile + + + nanometre + + + costaRicanColon + + + newton + + + cubicYard + + + FuelEfficiency + + + kazakhstaniTenge + + + pakistaniRupee + + + congoleseFranc + + + megapond + + + millisecond + + + hectolitre + + + mile + + + omaniRial + + + mauritianRupee + + + cubicDecametre + + + second + + + saintHelenaPound + + + xsd:boolean + + + moldovanLeu + + + millivolt + + + kilometrePerHour + + + cubicKilometre + + + kilowatt + + + lithuanianLitas + + + southKoreanWon + + + newtonCentimetre + + + caymanIslandsDollar + + + malagasyAriary + + + Currency + + + somaliShilling + + + bahamianDollar + + + joule + + + albanianLek + + + kenyanShilling + + + usBarrel + + + zimbabweanDollar + + + kilowattHour + + + tonneForce + + + xsd:anyURI + + + carat + + + microampere + + + megapascal + + + decilitre + + + gigabyte + + + kilometresPerLitre + + + swissFranc + + + usGallon + + + squareInch + + + microlitre + + + vanuatuVatu + + + xsd:nonPositiveInteger + + + rwandaFranc + + + hertz + + + knot + + + nanosecond + + + kilocalorie + + + kelvin + + + comorianFranc + + + xsd:gMonth + + + newtonMillimetre + + + gramForce + + + macanesePataca + + + terabyte + + + cubicFeetPerYear + + + cubicMetre + + + eastCaribbeanDollar + + + uruguayanPeso + + + sãoToméAndPríncipeDobra + + + guineaFranc + + + millinewton + + + bar + + + lesothoLoti + + + watt + + + indonesianRupiah + + + argentinePeso + + + kilogramForce + + + zambianKwacha + + + yard + + + yemeniRial + + + jamaicanDollar + + + degreeFahrenheit + + + wattHour + + + sudanesePound + + + liberianDollar + + + bhutaneseNgultrum + + + grain + + + poundFoot + + + sierraLeoneanLeone + + + milliwattHour + + + kilolightYear + + + bulgarianLev + + + israeliNewSheqel + + + bolivianBoliviano + + + capeVerdeEscudo + + + burundianFranc + + + squareYard + + + gramPerCubicCentimetre + + + squareDecimetre + + + horsepower + + + xsd:negativeInteger + + + Power + + + jordanianDinar + + + squareCentimetre + + + newTaiwanDollar + + + litre + + + millipascal + + + pferdestaerke + + + colombianPeso + + + inchPound + + + netherlandsAntilleanGuilder + + + czechKoruna + + + syrianPound + + + squareDecametre + + + tunisianDinar + + + inhabitantsPerSquareMile + + + fijiDollar + + + astronomicalUnit + + + cubicCentimetre + + + iranianRial + + + cfpFranc + + + inhabitantsPerSquareKilometre + + + Torque + + + valvetrain + + + kilobyte + + + millicalorie + + + meganewton + + + falklandIslandsPound + + + xsd:nonNegativeInteger + + + Temperature + + + moroccanDirham + + + terahertz + + + squareHectometre + + + micrometre + + + milligramForce + + + tanzanianShilling + + + botswanaPula + + + xsd:positiveInteger + + + xsd:dateTime + + + ukrainianHryvnia + + + paraguayanGuarani + + + laoKip + + + cubicFoot + + + kilojoule + + + megawatt + + + surinamDollar + + + chain + + + byte + + + squareMetre + + + xsd:float + + + cubicFeetPerSecond + + + megacalorie + + + milligram + + + honduranLempira + + + xsd:date + + + squareMillimetre + + + Pressure + + + gambianDalasi + + + xsd:gYear + + + slovakKoruna + + + malaysianRinggit + + + pound + + + mexicanPeso + + + day + + + tonganPaanga + + + sriLankanRupee + + + nepaleseRupee + + + afghanAfghani + + + cubicMillimetre + + + megahertz + + + ethiopianBirr + + + Time + + + panamanianBalboa + + + westAfricanCfaFranc + + + bruneiDollar + + + LinearMassDensity + + + imperialBarrel + + + millipond + + + degreeRankine + + + tonne + + + millimetre + + + Frequency + + + qatariRial + + + hongKongDollar + + + peruvianNuevoSol + + + malawianKwacha + + + solomonIslandsDollar + + + usBarrelOil + + + InformationUnit + + + milliwatt + + + eritreanNakfa + + + microsecond + + + Länge (mm)μήκος (mm)longueur (mm)lengte (mm)length (mm) + + + + + wheelbase (mm)Radstand (mm)међуосовинско растојање (mm) + + + + + total mass (kg)Gesamtmasse (kg) + + + + + area urban (km2)Stadtgebiet (km2)αστική περιοχή (km2)урбана површина (km2) + + + + + lunar sample mass (kg) + + + + + Volumen (km3)запремина (km3)όγκος (km3)volume (km3)volume (km3)volume (km3) + + + + + Volumen (μ³)запремина (μ³)όγκος (μ³)volume (μ³)volume (μ³)volume (μ³) + + + + + cargo water (kg) + + + + + Breite (mm)ширина (mm)πλάτος (mm)ancho (mm)breedte (mm)width (mm) + + + + + CO2 emission (g/km) + + + + + mass (kg)Masse (kg)μάζα (kg) + + + + + Höhe (mm)ύψος (mm)hauteur (mm)višina (mm)højde (mm)hoogte (mm)altura (mm)身長 (mm)height (mm) + + + + + periapsis (km)Periapsisdistanz (km) + + + + + mass (kg)Masse (kg)μάζα (kg) + + + + + Gewicht (kg)тежина (kg)βάρος (kg)poids (kg)vægt (kg)gewicht (kg)peso (kg)体重 (kg)weight (kg) + + + + + Höhe (mm)ύψος (mm)hauteur (mm)višina (mm)højde (mm)hoogte (mm)altura (mm)身長 (mm)height (mm) + + + + + docked time (μ) + + + + + apoapsis (km)Apoapsisdistanz (km)απόαψης (km)апоапсис (km) + + + + + mass (kg)Masse (kg)μάζα (kg) + + + + + Durchmesser (mm)διάμετρος (mm)diamètre (mm)diameter (mm)diameter (mm) + + + + + original maximum boat length (μ) + + + + + station visit duration (ω) + + + + + cargo fuel (kg) + + + + + minimum discharge (m³/s) + + + + + periapsis (km)Periapsisdistanz (km) + + + + + Siedepunkt (K)σημείο βρασμού (K)point d'ébullition (K)kookpunt (K)沸点 (K)boiling point (K) + + + + + Breite (mm)ширина (mm)πλάτος (mm)ancho (mm)breedte (mm)width (mm) + + + + + Breite (mm)ширина (mm)πλάτος (mm)ancho (mm)breedte (mm)width (mm) + + + + + apoapsis (km)Apoapsisdistanz (km)απόαψης (km)апоапсис (km) + + + + + Wasserscheide (km2)λεκάνη_απορροής (km2)cuenca hidrográfica (km2)waterscheiding (km2)watershed (km2) + + + + + mass (kg)Masse (kg)μάζα (kg) + + + + + Gewicht (kg)тежина (kg)βάρος (kg)poids (kg)vægt (kg)gewicht (kg)peso (kg)体重 (kg)weight (kg) + + + + + maximum boat length (μ)μέγιστο_μήκος_πλοίου (μ) + + + + + mean temperature (K)Durchschnittstemperatur (K)μέση θερμοκρασία (K) + + + + + area metro (km2)περιοχή μετρό (km2)метрополска област (km2) + + + + + total time person has spent in space (m)Gesamtzeit welche die Person im Weltraum verbracht hat (m) + + + + + discharge average (m³/s) + + + + + Durchmesser (μ)διάμετρος (μ)diamètre (μ)diameter (μ)diameter (μ) + + + + + Breite (mm)ширина (mm)πλάτος (mm)ancho (mm)breedte (mm)width (mm) + + + + + Gewicht (kg)тежина (kg)βάρος (kg)poids (kg)vægt (kg)gewicht (kg)peso (kg)体重 (kg)weight (kg) + + + + + population metro density (/sqkm)bevolkingsdichtheid (/sqkm) + + + + + Länge (mm)μήκος (mm)longueur (mm)lengte (mm)length (mm) + + + + + Breite (mm)ширина (mm)πλάτος (mm)ancho (mm)breedte (mm)width (mm) + + + + + mass (kg)Masse (kg)μάζα (kg) + + + + + distance traveled (km)Zurückgelegte Entfernung (km)afgelegde afstand (km) + + + + + cylinder bore (mm) + + + + + Bevölkerungsdichte (/sqkm)πυκνότητα_πληθυσμού (/sqkm)bevolkingsdichtheid (/sqkm)population density (/sqkm)घनत्व (/sqkm) + + + + + Höhe (mm)ύψος (mm)hauteur (mm)višina (mm)højde (mm)hoogte (mm)altura (mm)身長 (mm)height (mm) + + + + + maximum discharge (m³/s) + + + + + maximum temperature (K)Maximaltemperatur (K)μέγιστη θερμοκρασία (K) + + + + + periapsis (km)Periapsisdistanz (km) + + + + + total cargo (kg) + + + + + free flight time (μ) + + + + + Länge (mm)μήκος (mm)longueur (mm)lengte (mm)length (mm) + + + + + total time person has spent in space (μ)Gesamtzeit welche die Person im Weltraum verbracht hat (μ) + + + + + Fläche (km2)укупна површина (km2)έκταση περιοχής (km2)superficie (km2)oppervlakte (km2)area total (km2) + + + + + discharge (m³/s)εκροή (m³/s)uitstoot (m³/s) + + + + + torque output (Nm) + + + + + piston stroke (mm) + + + + + lunar surface time (ω) + + + + + Siedepunkt (K)σημείο βρασμού (K)point d'ébullition (K)kookpunt (K)沸点 (K)boiling point (K) + + + + + maximum boat beam (μ)μέγιστο_πλάτος_πλοίου (μ) + + + + + Dichte (μ3)πυκνότητα (μ3)densité (μ3)densità (μ3)densidade (μ3)密度 (μ3)density (μ3) + + + + + fuel capacity (l)χωρητικότητα καυσίμου (l)Kraftstoffkapazität (l) + + + + + maximum temperature (K)Maximaltemperatur (K)μέγιστη θερμοκρασία (K) + + + + + mass (kg)Masse (kg)μάζα (kg) + + + + + Bevölkerungsdichte (/sqkm)πυκνότητα_πληθυσμού (/sqkm)bevolkingsdichtheid (/sqkm)population density (/sqkm)घनत्व (/sqkm) + + + + + lunar orbit time (ω)Mondumlaufzeit (ω) + + + + + Dichte (μ3)πυκνότητα (μ3)densité (μ3)densità (μ3)densidade (μ3)密度 (μ3)density (μ3) + + + + + Durchmesser (μ)διάμετρος (μ)diamètre (μ)diameter (μ)diameter (μ) + + + + + Laufzeit (m)διάρκεια (m)durée (m)duur (m)runtime (m) + + + + + mass (kg)Masse (kg)μάζα (kg) + + + + + Höhe (mm)ύψος (mm)hauteur (mm)višina (mm)højde (mm)hoogte (mm)altura (mm)身長 (mm)height (mm) + + + + + mean radius (km)durchschnittlicher Radius (km)μέση ακτίνα (km) + + + + + minimum temperature (K)geringste Temperatur (K)ελάχιστη θερμοκρασία (K) + + + + + Höhe (mm)ύψος (mm)hauteur (mm)višina (mm)højde (mm)hoogte (mm)altura (mm)身長 (mm)height (mm) + + + + + cargo gas (kg) + + + + + mean radius (km)durchschnittlicher Radius (km)μέση ακτίνα (km) + + + + + Volumen (μ³)запремина (μ³)όγκος (μ³)volume (μ³)volume (μ³)volume (μ³) + + + + + CMP EVA duration (ω) + + + + + population urban density (/sqkm) + + + + + orbital period (μ)Umlaufzeit (μ)Περίοδος περιφοράς (μ) + + + + + Länge (mm)μήκος (mm)longueur (mm)lengte (mm)length (mm) + + + + + melting point (K)Schmelzpunkt (K)point de fusion (K)融点 (K) + + + + + Durchmesser (μ)διάμετρος (μ)diamètre (μ)diameter (μ)diameter (μ) + + + + + campus size (km2) + + + + + minimum temperature (K)geringste Temperatur (K)ελάχιστη θερμοκρασία (K) + + + + + Breite (mm)ширина (mm)πλάτος (mm)ancho (mm)breedte (mm)width (mm) + + + + + top speed (kmh)Höchstgeschwindigkeit (kmh) + + + + + original maximum boat beam (μ) + + + + + Durchmesser (μ)διάμετρος (μ)diamètre (μ)diameter (μ)diameter (μ) + + + + + mean temperature (K)Durchschnittstemperatur (K)μέση θερμοκρασία (K) + + + + + lower earth orbit payload (kg) + Payload mass in a typical Low Earth orbit + + + + Gewicht (kg)тежина (kg)βάρος (kg)poids (kg)vægt (kg)gewicht (kg)peso (kg)体重 (kg)weight (kg) + + + + + mass (kg)Masse (kg)μάζα (kg) + + + + + lunar EVA time (ω) + + + + + orbital period (μ)Umlaufzeit (μ)Περίοδος περιφοράς (μ) + + + + + temperature (K)Temperatur (K)θερμοκρασία (K)température (K) + + + + + melting point (K)Schmelzpunkt (K)point de fusion (K)融点 (K) + + + + + Länge (mm)μήκος (mm)longueur (mm)lengte (mm)length (mm) + + + + + size (MB)μέγεθος αρχείου (MB)Dateigröße (MB)taille de fichier (MB) + size of a file or softwareμέγεθος ενός ηλεκτρονικού αρχείου + + + + area metro (km2)περιοχή μετρό (km2)метрополска област (km2) + + + + + displacement (cc)cilindrada (cc) + + + + + temperature (K)Temperatur (K)θερμοκρασία (K)température (K) + + + + + course (km) + + + + + Länge (km)μήκος (km)longueur (km)lengte (km)length (km) + + + + + surface area (km2)Oberfläche (km2)έκταση (km2) + + + + + Gewicht (kg)тежина (kg)βάρος (kg)poids (kg)vægt (kg)gewicht (kg)peso (kg)体重 (kg)weight (kg) + + + + + Durchmesser (mm)διάμετρος (mm)diamètre (mm)diameter (mm)diameter (mm) + + + + + Beschleunigung (s)przyspieszenie (s)убрзање (s)επιτάχυνση (s)luasghéarú (s)acceleració (s)acceleratie (s)acceleration (s) + + + + + Breite (mm)ширина (mm)πλάτος (mm)ancho (mm)breedte (mm)width (mm) + + + + + average speed (km/s)Durchschnittsgeschwindigkeit (km/s)μέση ταχύτητα (km/s) + The average speed of a thing.Η μέση ταχύτητα ενός πράγματος. + + + + Höhe (mm)ύψος (mm)hauteur (mm)višina (mm)højde (mm)hoogte (mm)altura (mm)身長 (mm)height (mm) + + + + + apoapsis (km)Apoapsisdistanz (km)απόαψης (km)апоапсис (km) + + + + + average speed (km/s)Durchschnittsgeschwindigkeit (km/s)μέση ταχύτητα (km/s) + The average speed of a thing.Η μέση ταχύτητα ενός πράγματος. + + + + mission duration (μ)Missionsdauer (μ) + + + + + Gewicht (kg)тежина (kg)βάρος (kg)poids (kg)vægt (kg)gewicht (kg)peso (kg)体重 (kg)weight (kg) + + + + + Gewicht (kg)тежина (kg)βάρος (kg)poids (kg)vægt (kg)gewicht (kg)peso (kg)体重 (kg)weight (kg) + + + + + Höhe (mm)ύψος (mm)hauteur (mm)višina (mm)højde (mm)hoogte (mm)altura (mm)身長 (mm)height (mm) + + + + + Durchmesser (km)διάμετρος (km)diamètre (km)diameter (km)diameter (km) + + + + + power output (kW)Ausgangsleistung (kW) + + + + + Gewicht (kg)тежина (kg)βάρος (kg)poids (kg)vægt (kg)gewicht (kg)peso (kg)体重 (kg)weight (kg) + + + + + surface area (km2)Oberfläche (km2)έκταση (km2) + + + + + Dichte (μ3)πυκνότητα (μ3)densité (μ3)densità (μ3)densidade (μ3)密度 (μ3)density (μ3) + + + + + mass (kg)Masse (kg)μάζα (kg) + + + + + distance (km)Entfernung (km) + + + + + Durchmesser (μ)διάμετρος (μ)diamètre (μ)diameter (μ)diameter (μ) + + + + + Höhe (cm)ύψος (cm)hauteur (cm)višina (cm)højde (cm)hoogte (cm)altura (cm)身長 (cm)height (cm) + + + + + shore length (km)Uferlänge (km)μήκος_όχθης (km) + + + + + Länge (mm)μήκος (mm)longueur (mm)lengte (mm)length (mm) + + + + + Fläche (km2)област (km2)έκταση (km2)superficie (km2)oppervlakte (km2)área (km2)area (km2) + The area of the thing in square meters. + + + + floor area (m2)vloeroppervlak (m2)περιοχή ορόφων (m2) + + + + + distance (km)Entfernung (km) + + + + + area of catchment (km2)Einzugsgebiet (km2)λίμνη (km2)подручје слива (km2) + + + + + dry cargo (kg)Trockenfracht (kg)droge last (kg) + + + + + station EVA duration (ω) + + + + + Volumen (km3)запремина (km3)όγκος (km3)volume (km3)volume (km3)volume (km3) + + + + + Länge (mm)μήκος (mm)longueur (mm)lengte (mm)length (mm) + + + + + \ No newline at end of file diff --git a/gsoc/zheyuan/utility/question_form.csv b/gsoc/zheyuan/utility/question_form.csv new file mode 100755 index 0000000..117df8d --- /dev/null +++ b/gsoc/zheyuan/utility/question_form.csv @@ -0,0 +1,3 @@ +When is the ,Who is the ,What is the ,Where is the ,What is the number of ,Which one is the oldest based on ,Which one the highest based on ,Which one the highest based on +select ?x ,select ?x ,select ?x ,select ?x ,select count(*) as ?x ,select distinct(?x) ,select distinct(?x) ,select distinct(?x) +} , } , } , } , } , } order by ?x limit 1 ,} order by ?x limit 1,} order by ?x limit 1 From 1b6a50e665f6dd0ee189ff5865cdfaa6010b16e5 Mon Sep 17 00:00:00 2001 From: BaiBlanc <1458491606@qq.com> Date: Sun, 14 Jun 2020 18:32:18 +0200 Subject: [PATCH 3/3] Little reconstruction of the pipeline of paraphrasing --- .../generate_url.py | 6 +-- .../get_properties.py | 6 +-- .../sentence_and_template_generator.py | 12 +++--- gsoc/zheyuan/pipeline/generate_templates.py | 15 ++++++-- gsoc/zheyuan/pipeline/generate_url.py | 2 +- gsoc/zheyuan/pipeline/paraphrase_questions.py | 26 +++++++------ .../sentence_and_template_generator.py | 38 +++++++++++-------- 7 files changed, 57 insertions(+), 48 deletions(-) diff --git a/gsoc/anand/pipeline_3/pipeline_3_with_controlled_test_set/generate_url.py b/gsoc/anand/pipeline_3/pipeline_3_with_controlled_test_set/generate_url.py index 19845a3..e19b0fe 100755 --- a/gsoc/anand/pipeline_3/pipeline_3_with_controlled_test_set/generate_url.py +++ b/gsoc/anand/pipeline_3/pipeline_3_with_controlled_test_set/generate_url.py @@ -3,7 +3,6 @@ import json import sys import urllib -from urllib2 import urlopen import argparse from bs4 import BeautifulSoup @@ -11,10 +10,7 @@ def get_url(url): """Fuction to extract the http://mappings.dbpedia.org/server/ontology/classes/ page link for the given http://mappings.dbpedia.org/index.php/OntologyClass:""" - try: #python3 - page = urllib.request.urlopen(url) - except: #python2 - page = urlopen(url) + page = urllib.request.urlopen(url) soup = BeautifulSoup(page, "html.parser") link = soup.findAll('a', attrs={"rel": "nofollow"})[0]['href'] return link diff --git a/gsoc/anand/pipeline_3/pipeline_3_with_controlled_test_set/get_properties.py b/gsoc/anand/pipeline_3/pipeline_3_with_controlled_test_set/get_properties.py index 5c85f4b..c87bfec 100755 --- a/gsoc/anand/pipeline_3/pipeline_3_with_controlled_test_set/get_properties.py +++ b/gsoc/anand/pipeline_3/pipeline_3_with_controlled_test_set/get_properties.py @@ -1,5 +1,4 @@ import urllib -from urllib2 import urlopen import json import sys import csv @@ -18,10 +17,7 @@ class related information and data types as field values in each row. - This function also returns a 2D list of the information mentioned above to the calling function """ - try: # python3 - page = urllib.request.urlopen(url) - except: # python2 - page = urlopen(url) + page = urllib.request.urlopen(url) soup = BeautifulSoup(page, "html.parser") if(not os.path.isdir(project_name)): os.makedirs(project_name) diff --git a/gsoc/anand/pipeline_3/pipeline_3_with_controlled_test_set/sentence_and_template_generator.py b/gsoc/anand/pipeline_3/pipeline_3_with_controlled_test_set/sentence_and_template_generator.py index 703c63f..a059079 100755 --- a/gsoc/anand/pipeline_3/pipeline_3_with_controlled_test_set/sentence_and_template_generator.py +++ b/gsoc/anand/pipeline_3/pipeline_3_with_controlled_test_set/sentence_and_template_generator.py @@ -3,7 +3,7 @@ from generate_url import generate_url_spec, generate_url from get_properties import get_properties import urllib -from urllib2 import urlopen +# from urllib2 import urlopen import urllib.parse from bs4 import BeautifulSoup import os @@ -29,10 +29,10 @@ def rank_check(query, diction, count, original_count): # url = "https://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query="+query + \ # "&format=application%2Fsparql-results%2Bjson&CXML_redir_for_subjs=121&CXML_redir_for_hrefs=&timeout=30000&debug=on&run=+Run+Query+" # print(url) - try: # python3 - page = urllib.request.urlopen(url) - except: # python2 - page = urlopen(url) + # try: # python3 + # page = urllib.request.urlopen(url) + # except: # python2 + page = urllib.request.urlopen(url) soup = BeautifulSoup(page, "html.parser") total = len(soup.find_all("tr")) accum = 0 @@ -66,7 +66,7 @@ def check_query(log, query): try: # python3 page = urllib.request.urlopen(url) except: # python2 - page = urlopen(url) + page = urllib.request.urlopen(url) soup = BeautifulSoup(page, "html.parser") # print((soup.text)) if (soup.text == "false"): diff --git a/gsoc/zheyuan/pipeline/generate_templates.py b/gsoc/zheyuan/pipeline/generate_templates.py index 437a9a9..39c9c00 100755 --- a/gsoc/zheyuan/pipeline/generate_templates.py +++ b/gsoc/zheyuan/pipeline/generate_templates.py @@ -1,10 +1,16 @@ import argparse +from paraphrase_questions import get_pretrained_model,prepare_model,set_seed from get_properties import get_properties from generate_url import generate_url from sentence_and_template_generator import sentence_and_template_generator import os from fetch_ranks_sub import fetch_ranks import logging +from constant import Constant + +const = Constant() + +const.URL = "https://datascience-models-ramsri.s3.amazonaws.com/t5_paraphraser.zip" def generate_templates(label,project_name,depth=1,output_file="sentence_and_template_generator"): """ @@ -32,21 +38,24 @@ def generate_templates(label,project_name,depth=1,output_file="sentence_and_temp logging.basicConfig(filename=project_name+"/logfile.log", format='%(filename)s: %(message)s', filemode='w') # Setting threshold level - logger.setLevel(logging.DEBUG) + logger.setLevel(logging.WARNING) # Use the logging methods #logger.debug("This is a debug message") logger.info("This is a log file.") #logger.warning("This is a warning message") #logger.error("This is an error message") - #logger.critical("This is a critical message") + #logger.critical("This is a critical message") + folder_path = get_pretrained_model(const.URL) + set_seed(42) + tokenizer, device, model = prepare_model(folder_path) list_of_property_information = get_properties(url=url,project_name=project_name,output_file = "get_properties.csv") for property_line in list_of_property_information: count+=1 prop = property_line.split(',') print("**************\n"+str(prop)) - sentence_and_template_generator(expand_set=expand_set, original_count=depth,prop_dic=prop_dic,test_set=test_set,log=logger,diction=diction,output_file=output_file,mother_ontology=about.strip().replace("http://dbpedia.org/ontology/","dbo:"),vessel=vessel,project_name=project_name ,prop=prop, suffix = " of ?",count = depth) + sentence_and_template_generator(original_count=depth,prop_dic=prop_dic,test_set=test_set,log=logger,diction=diction,output_file=output_file,mother_ontology=about.strip().replace("http://dbpedia.org/ontology/","dbo:"),vessel=vessel,project_name=project_name ,prop=prop, suffix = " of ?",count = depth,expand_set=expand_set,tokenizer=tokenizer,device=device,model=model) output_file.close() if __name__ == "__main__": diff --git a/gsoc/zheyuan/pipeline/generate_url.py b/gsoc/zheyuan/pipeline/generate_url.py index d4d2019..17e0366 100755 --- a/gsoc/zheyuan/pipeline/generate_url.py +++ b/gsoc/zheyuan/pipeline/generate_url.py @@ -45,7 +45,7 @@ def generate_url(given_label): #print("Sub-class of: "+val['rdfs:subClassOf']['@rdf:resource']) pass url = val['prov:wasDerivedFrom']['@rdf:resource'] - #print("URL:" + url) + # print("URL:" + get_url(url)) if(given_label == val['@rdf:about'].split('http://dbpedia.org/ontology/')[-1]): return [get_url(url),about] return ["None","None"] diff --git a/gsoc/zheyuan/pipeline/paraphrase_questions.py b/gsoc/zheyuan/pipeline/paraphrase_questions.py index 8df7192..c26c100 100644 --- a/gsoc/zheyuan/pipeline/paraphrase_questions.py +++ b/gsoc/zheyuan/pipeline/paraphrase_questions.py @@ -30,23 +30,23 @@ def get_pretrained_model(zip_file_url): print('Finish {}'.format(model_name)) return folder_path +def prepare_model(folder_path): + model = T5ForConditionalGeneration.from_pretrained(folder_path) + tokenizer = T5Tokenizer.from_pretrained('t5-base') + + device = torch.device("cuda" if torch.cuda.is_available() else "cpu") + print("device ", device) + model = model.to(device) + return tokenizer, device, model + def set_seed(seed): torch.manual_seed(seed) if torch.cuda.is_available(): torch.cuda.manual_seed_all(seed) -def paraphrase_questions(sentence): +def paraphrase_questions(tokenizer, device, model, sentence): sentence = sentence.replace("", "XYZ") - folder_path = get_pretrained_model(const.URL) - set_seed(42) - - model = T5ForConditionalGeneration.from_pretrained(folder_path) - tokenizer = T5Tokenizer.from_pretrained('t5-base') - - device = torch.device("cuda" if torch.cuda.is_available() else "cpu") - print("device ", device) - model = model.to(device) text = "paraphrase: " + sentence + " " @@ -103,6 +103,8 @@ def paraphrase_questions(sentence): # project_name = args.project_name # depth = args.depth - - print(paraphrase_questions(sentence)) + folder_path = get_pretrained_model(const.URL) + set_seed(42) + tokenizer, device, model = prepare_model(folder_path) + print(paraphrase_questions(tokenizer,device,model,sentence)) pass \ No newline at end of file diff --git a/gsoc/zheyuan/pipeline/sentence_and_template_generator.py b/gsoc/zheyuan/pipeline/sentence_and_template_generator.py index be4117a..472bc20 100755 --- a/gsoc/zheyuan/pipeline/sentence_and_template_generator.py +++ b/gsoc/zheyuan/pipeline/sentence_and_template_generator.py @@ -21,7 +21,10 @@ def rank_check(query,diction,count,original_count): ques = ques+"?x"+str(value+1)+" " query = query.replace("(?a)","(?a)"+ ques) + " order by RAND() limit 100" #print(query) - query = urllib.parse.quote(query) + try: # python3 + query = urllib.parse.quote_plus(query) + except: # python2 + query = urllib.quote_plus(query) url = "https://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query="+query+"&format=text%2Fhtml&CXML_redir_for_subjs=121&CXML_redir_for_hrefs=&timeout=30000&debug=on&run=+Run+Query+" # url = "https://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query="+query + \ # "&format=application%2Fsparql-results%2Bjson&CXML_redir_for_subjs=121&CXML_redir_for_hrefs=&timeout=30000&debug=on&run=+Run+Query+" @@ -70,7 +73,7 @@ def check_query(log,query): log.error(query_original ) -def sentence_and_template_generator(expand_set, prop_dic,test_set,log,mother_ontology,vessel,prop,project_name,output_file,diction,original_count=0,count=0, suffix = " of ?", query_suffix = ""): +def sentence_and_template_generator(prop_dic,test_set,log,mother_ontology,vessel,prop,project_name,output_file,diction,expand_set,tokenizer,device,model,original_count=0,count=0, suffix = " of ?", query_suffix = ""): if(type(prop)==str): prop = prop.split(',') @@ -111,15 +114,7 @@ def sentence_and_template_generator(expand_set, prop_dic,test_set,log,mother_ont original_sparql = query_starts_with[number]+"where { "+ query_suffix + prop_link +" ?x "+ query_ends_with[number] natural_language_question.append(original_question) sparql_query.append(original_sparql) - if count == original_count: - # candidates = paraphrase_questions(original_question.replace("", "XYZ")) - # @todo establish a cirteria to determine whether to expand the current template pair - # For instance, just randomly pick up the first one from the candidates to expand templates - # and restore it with the orignial SPARQL template - # expanded_nl_question.append(candidates[0][0]) - # expanded_sparql_query.append(original_sparql) - pass if(query_suffix==""): query_answer = ("select distinct(?a) where { ?a "+prop_link+" [] } ") @@ -144,20 +139,31 @@ def sentence_and_template_generator(expand_set, prop_dic,test_set,log,mother_ont #for temp_counter in range(original_count): if( not prop[0] in prop_dic[original_count-count-1]): for number in range(len(natural_language_question)): + if count == original_count-1: + candidates = paraphrase_questions(tokenizer,device,model,original_question) + # @todo establish a cirteria to determine whether to expand the current template pair + # For instance, just randomly pick up the first one from the candidates to expand templates + # and store it with the orignial SPARQL template + expanded_nl_question.append(candidates[0][0]) + expanded_sparql_query.append(original_sparql) + pass + if expanded_sparql_query: + expand_line = [mother_ontology,"","",expanded_nl_question[number],expanded_sparql_query[number],query_answer] + expand_set.write((';'.join(expand_line)+";"+str(rank)+"\n").replace(" "," ")) vessel.append([mother_ontology,"","",natural_language_question[number],sparql_query[number],query_answer]) output_file.write((';'.join(vessel[-1])+";"+str(rank)+"\n").replace(" "," ")) log.info(';'.join(vessel[-1])+str(rank)+"\n") + + else: + for number in range(len(natural_language_question)): if expanded_sparql_query: expand_line = [mother_ontology,"","",expanded_sparql_query[number],expanded_sparql_query[number],query_answer] expand_set.write((';'.join(expand_line)+";"+str(rank)+"\n").replace(" "," ")) - else: - for number in range(len(natural_language_question)): vessel.append([mother_ontology,"","",natural_language_question[number],sparql_query[number],query_answer]) test_set.write((';'.join(vessel[-1])+";"+str(rank)+"\n").replace(" "," ")) + print("++++++++++++++++++++",vessel[-1],"+++++++++++++++") log.info("Test: "+';'.join(vessel[-1])+str(rank)+"\n") - if expanded_sparql_query: - expand_line = [mother_ontology,"","",expanded_sparql_query[number],expanded_sparql_query[number],query_answer] - expand_set.write((';'.join(expand_line)+";"+str(rank)+"\n").replace(" "," ")) + prop_dic[original_count-count-1].append(prop[0]) #print(str(natural_language_question)+"\n"+str(sparql_query)+"\n"+query_answer+"\n*************") @@ -172,5 +178,5 @@ def sentence_and_template_generator(expand_set, prop_dic,test_set,log,mother_ont list_of_property_information = get_properties(url=url,project_name=project_name,output_file =prop[1]+".csv" ) for property_line in tqdm(list_of_property_information): prop_inside = property_line.split(',') - sentence_and_template_generator(expand_set=expand_set, prop_dic=prop_dic,test_set= test_set,log=log,original_count=original_count,diction=diction,output_file=output_file, mother_ontology=mother_ontology,vessel=vessel,prop=prop_inside, suffix = suffix,count = count, project_name=project_name, query_suffix = query_suffix ) + sentence_and_template_generator(expand_set=expand_set, prop_dic=prop_dic,test_set= test_set,log=log,original_count=original_count,diction=diction,output_file=output_file, mother_ontology=mother_ontology,vessel=vessel,prop=prop_inside, suffix = suffix,count = count, project_name=project_name, query_suffix = query_suffix,tokenizer=tokenizer,device=device,model=model)